merge from trunk(revision 23749:23794) to 1.4 branch
@ -963,9 +963,9 @@ class bocontacts extends socontacts
|
||||
* @param int $list list-id
|
||||
* @return false on error
|
||||
*/
|
||||
function remove_from_list($contact,$list)
|
||||
function remove_from_list($contact,$list=null)
|
||||
{
|
||||
if (!$this->check_list($list,EGW_ACL_EDIT)) return false;
|
||||
if ($list && !$this->check_list($list,EGW_ACL_EDIT)) return false;
|
||||
|
||||
return parent::remove_from_list($contact,$list);
|
||||
}
|
||||
@ -996,5 +996,41 @@ class bocontacts extends socontacts
|
||||
if (isset($cache[$list])) return $cache[$list];
|
||||
|
||||
return $cache[$list] = parent::read_list($list);
|
||||
}
|
||||
}
|
||||
|
||||
/**
|
||||
* Get the address-format of a country
|
||||
*
|
||||
* ToDo: this is far from being complete ;-)
|
||||
* Mail me (RalfBecker-AT-outdoor-training.de) if you want your nation added or add it yourself.
|
||||
*
|
||||
* @param string $country
|
||||
* @return string 'city_state_postcode' (eg. US) or 'postcode_city' (eg. DE)
|
||||
*/
|
||||
function addr_format_by_country($country)
|
||||
{
|
||||
if (!is_object($GLOBALS['egw']->country))
|
||||
{
|
||||
require_once(EGW_API_INC.'/class.country.inc.php');
|
||||
$GLOBALS['egw']->country =& new country;
|
||||
}
|
||||
$code = $GLOBALS['egw']->country->country_code($country);
|
||||
|
||||
switch($code)
|
||||
{
|
||||
case 'US':
|
||||
case 'CA':
|
||||
$adr_format = 'city_state_postcode';
|
||||
break;
|
||||
|
||||
case 'DE':
|
||||
$adr_format = 'postcode_city';
|
||||
break;
|
||||
|
||||
default:
|
||||
$adr_format = $this->prefs['addr_format'] ? $this->prefs['addr_format'] : 'postcode_city';
|
||||
}
|
||||
//echo "<p>bocontacts::addr_format_by_country('$country'='$code') = '$adr_format'</p>\n";
|
||||
return $adr_format;
|
||||
}
|
||||
}
|
||||
|
@ -207,7 +207,18 @@ class contacts_admin_prefs
|
||||
'xmlrpc' => True,
|
||||
'admin' => false,
|
||||
);
|
||||
//show accounts in listing
|
||||
$GLOBALS['settings']['addr_format'] = array(
|
||||
'type' => 'select',
|
||||
'label' => 'Default address format',
|
||||
'name' => 'addr_format',
|
||||
'values' => array(
|
||||
'postcode_city' => lang('zip code').' '.lang('City'),
|
||||
'city_state_postcode' => lang('City').' '.lang('State').' '.lang('zip code'),
|
||||
),
|
||||
'help' => 'Which address format should the addressbook use for countries it does not know the address format. If the address format of a country is known, it uses it independent of this setting.',
|
||||
'xmlrpc' => True,
|
||||
'admin' => false,
|
||||
);
|
||||
$GLOBALS['settings']['hide_accounts'] = array(
|
||||
'type' => 'check',
|
||||
'label' => 'Hide accounts from addressbook',
|
||||
|
@ -78,6 +78,8 @@ class so_ldap
|
||||
|
||||
/**
|
||||
* maps between diverse ldap schema and the eGW internal names
|
||||
*
|
||||
* The ldap attribute names have to be lowercase!!!
|
||||
*
|
||||
* @var array
|
||||
*/
|
||||
@ -110,7 +112,7 @@ class so_ldap
|
||||
'jpegphoto' => 'jpegphoto',
|
||||
'n_fileas' => 'displayname',
|
||||
'label' => 'postaladdress',
|
||||
'pubkey' => 'userSMIMECertificate',
|
||||
'pubkey' => 'usersmimecertificate',
|
||||
),
|
||||
|
||||
#displayName
|
||||
@ -174,7 +176,7 @@ class so_ldap
|
||||
'freebusy_uri' => 'freeBusyuri',
|
||||
'calendar_uri' => 'calendaruri',
|
||||
'tel_other' => 'otherphone',
|
||||
'tel_cell_private' => 'callbackPhone', // not the best choice, but better then nothing
|
||||
'tel_cell_private' => 'callbackphone', // not the best choice, but better then nothing
|
||||
),
|
||||
// additional schema can be added here, including special functions
|
||||
|
||||
@ -888,7 +890,7 @@ class so_ldap
|
||||
*/
|
||||
function _ldap2ts($date)
|
||||
{
|
||||
return mktime(substr($date,8,2),substr($date,10,2),substr($date,12,2),
|
||||
return gmmktime(substr($date,8,2),substr($date,10,2),substr($date,12,2),
|
||||
substr($date,4,2),substr($date,6,2),substr($date,0,4));
|
||||
}
|
||||
|
||||
|
@ -670,6 +670,8 @@ class socontacts
|
||||
*/
|
||||
function &get_backend($contact_id=null,$owner=null)
|
||||
{
|
||||
if ($owner === '') $owner = null;
|
||||
|
||||
if ($this->contact_repository != $this->account_repository && is_object($this->so_accounts) &&
|
||||
(!is_null($owner) && !$owner || !is_null($contact_id) &&
|
||||
($this->contact_repository == 'sql' && !is_numeric($contact_id) ||
|
||||
@ -888,4 +890,17 @@ class socontacts
|
||||
|
||||
return $this->somain->read_list($list);
|
||||
}
|
||||
|
||||
/**
|
||||
* Check if distribution lists are availible for a given addressbook
|
||||
*
|
||||
* @param int/string $owner='' addressbook (eg. 0 = accounts), default '' = "all" addressbook (uses the main backend)
|
||||
* @return boolean
|
||||
*/
|
||||
function lists_available($owner='')
|
||||
{
|
||||
$backend =& $this->get_backend(null,$owner);
|
||||
|
||||
return method_exists($backend,'read_list');
|
||||
}
|
||||
}
|
||||
|
@ -432,6 +432,13 @@ class socontacts_sql extends so_sql
|
||||
{
|
||||
if (!(int)$list || !(int)$contact) return false;
|
||||
|
||||
if ($this->db->select($this->ab2list_table,'list_id',array(
|
||||
'contact_id' => $contact,
|
||||
'list_id' => $list,
|
||||
),__LINE__,__FILE__) && $this->db->next_record())
|
||||
{
|
||||
return true; // no need to insert it, would give sql error
|
||||
}
|
||||
return $this->db->insert($this->ab2list_table,array(
|
||||
'contact_id' => $contact,
|
||||
'list_id' => $list,
|
||||
|
@ -168,6 +168,7 @@ class uicontacts extends bocontacts
|
||||
'filter' => '', // =All // IO filter, if not 'no_filter' => True
|
||||
'filter_no_lang' => True, // I set no_lang for filter (=dont translate the options)
|
||||
'no_filter2' => True, // I disable the 2. filter (params are the same as for filter)
|
||||
'filter2_label' => lang('Distribution lists'), // IO filter2, if not 'no_filter2' => True
|
||||
'filter2' => '', // IO filter2, if not 'no_filter2' => True
|
||||
'filter2_no_lang'=> True, // I set no_lang for filter2 (=dont translate the options)
|
||||
'lettersearch' => true,
|
||||
@ -175,26 +176,16 @@ class uicontacts extends bocontacts
|
||||
'default_cols' => '!cat_id,contact_created_contact_modified',
|
||||
'filter2_onchange' => "if(this.value=='add') { add_new_list(document.getElementById(form::name('filter')).value); this.value='';} else this.form.submit();",
|
||||
);
|
||||
// if the backend supports distribution lists
|
||||
if (($sel_options['filter2'] = $this->get_lists(EGW_ACL_READ,array(
|
||||
'' => lang('Distribution lists').'...',
|
||||
'add' => lang('Add a new list').'...',
|
||||
))) !== false)
|
||||
{
|
||||
$content['nm']['no_filter2'] = false;
|
||||
}
|
||||
// use the state of the last session stored in the user prefs
|
||||
if (($state = @unserialize($this->prefs[$do_email ? 'email_state' : 'index_state'])))
|
||||
{
|
||||
$content['nm'] = array_merge($content['nm'],$state);
|
||||
}
|
||||
}
|
||||
if (!$content['nm']['no_filter2'] && !isset($sel_options['filter2']))
|
||||
if ($this->lists_available())
|
||||
{
|
||||
$sel_options['filter2'] = $this->get_lists(EGW_ACL_READ,array(
|
||||
'' => lang('Distribution lists').'...',
|
||||
'add' => lang('Add a new list').'...',
|
||||
));
|
||||
$sel_options['filter2'] = $this->get_lists(EGW_ACL_READ,array('' => lang('none')));
|
||||
$sel_options['filter2']['add'] = lang('Add a new list').'...'; // put it at the end
|
||||
}
|
||||
if ($do_email)
|
||||
{
|
||||
@ -566,7 +557,7 @@ class uicontacts extends bocontacts
|
||||
break;
|
||||
|
||||
default: // move to an other addressbook
|
||||
if (!is_numeric($action) || !($this->grants[(string) (int) $action] & EGW_ACL_EDIT)) // might be ADD in the future
|
||||
if (!(int)$action || !($this->grants[(string) (int) $action] & EGW_ACL_EDIT)) // might be ADD in the future
|
||||
{
|
||||
return false;
|
||||
}
|
||||
@ -704,6 +695,9 @@ class uicontacts extends bocontacts
|
||||
{
|
||||
$query['col_filter']['account_id'] = null;
|
||||
}
|
||||
// enable/disable distribution lists depending on backend
|
||||
$query['no_filter2'] = !$this->lists_available($query['filter']);
|
||||
|
||||
if (isset($this->org_views[(string) $query['org_view']])) // we have an org view
|
||||
{
|
||||
unset($query['col_filter']['list']); // does not work together
|
||||
@ -882,6 +876,9 @@ class uicontacts extends bocontacts
|
||||
}
|
||||
}
|
||||
}
|
||||
// hide region for address format 'postcode_city'
|
||||
if (($row['addr_format'] = $this->addr_format_by_country($row['adr_one_countryname']))=='postcode_city') unset($row['adr_one_region']);
|
||||
if (($row['addr_format2'] = $this->addr_format_by_country($row['adr_two_countryname']))=='postcode_city') unset($row['adr_two_region']);
|
||||
}
|
||||
if (!$this->prefs['no_auto_hide'])
|
||||
{
|
||||
@ -1218,6 +1215,10 @@ class uicontacts extends bocontacts
|
||||
}
|
||||
}
|
||||
}
|
||||
// how to display addresses
|
||||
$content['addr_format'] = $this->addr_format_by_country($content['adr_one_countryname']);
|
||||
$content['addr_format2'] = $this->addr_format_by_country($content['adr_two_countryname']);
|
||||
|
||||
$content['disable_change_org'] = $view || !$content['org_name'];
|
||||
//_debug_array($content);
|
||||
$readonlys['button[delete]'] = !$content['owner'] || !$this->check_perms(EGW_ACL_DELETE,$content);
|
||||
|
@ -18,10 +18,10 @@ if ($GLOBALS['egw_info']['user']['apps']['addressbook'] &&
|
||||
include_once(EGW_INCLUDE_ROOT.'/addressbook/inc/class.bocontacts.inc.php');
|
||||
$contacts =& new bocontacts();
|
||||
|
||||
$month_start = date('*-m-*',$contacts->now_su-$days*24*3600);
|
||||
$month_start = date('*-m-*',$contacts->now_su);
|
||||
$bdays =& $contacts->search(array('bday' => $month_start),array('id','n_family','n_given','bday'),'n_given,n_family');
|
||||
|
||||
if (($month_end = date('*-m-*',$contacts->now_su)) != $month_start)
|
||||
|
||||
if (($month_end = date('*-m-*',$contacts->now_su+$days*24*3600)) != $month_start)
|
||||
{
|
||||
if (($bdays2 =& $contacts->search(array('bday' => $month_start),array('id','n_family','n_given','bday'),'n_given,n_family')))
|
||||
{
|
||||
@ -64,6 +64,7 @@ if ($GLOBALS['egw_info']['user']['apps']['addressbook'] &&
|
||||
{
|
||||
if(substr($contact['bday'],-6) == $day)
|
||||
{
|
||||
if (!$ab_lang_loaded++) $GLOBALS['egw']->translation->add_app('addressbook');
|
||||
switch($n)
|
||||
{
|
||||
case 0:
|
||||
@ -81,7 +82,7 @@ if ($GLOBALS['egw_info']['user']['apps']['addressbook'] &&
|
||||
}
|
||||
$portalbox->data[] = array(
|
||||
'text' => $text,
|
||||
'link' => $GLOBALS['egw']->link('/index.php','menuaction=addressbook.uiaddressbook.view&ab_id=' . $contact['id'])
|
||||
'link' => $GLOBALS['egw']->link('/index.php','menuaction=addressbook.uicontacts.view&contact_id=' . $contact['id'])
|
||||
);
|
||||
}
|
||||
}
|
||||
|
@ -95,6 +95,7 @@ csv-filename addressbook de CSV-Dateiname
|
||||
custom addressbook de Benutzerdefiniert
|
||||
custom fields addressbook de Benutzerdefinierte Felder
|
||||
debug output in browser addressbook de Debugausgaben in Browser
|
||||
default address format addressbook de Vorgabe für Format der Adresse
|
||||
default addressbook for adding contacts addressbook de Vorgabe Adressbuch beim Hinzufügen von Kontakten
|
||||
default filter addressbook de Standardfilter
|
||||
delete a single entry by passing the id. addressbook de Löscht einen einzelnen Eintrag durch Übergabe seiner ID.
|
||||
@ -300,6 +301,7 @@ view linked infolog entries addressbook de Verkn
|
||||
warning!! ldap is valid only if you are not using contacts for accounts storage! admin de WARNUNG!! LDAP darf nur verwendet werden, wenn sie die Benutzerkonten nicht im Adressbuch speichern!
|
||||
warning: all contacts found will be deleted! addressbook de WARNUNG: Alle gefundenen Kontakte werden gelöscht!
|
||||
what should links to the addressbook display in other applications. empty values will be left out. you need to log in anew, if you change this setting! addressbook de Was sollen Verknüpfungen zum Adressbuch in anderen Anwendungen anzeigen. Leere Werte werden ausgelassen. Sie müssen sich neu anmelden, wenn Sie hier eine Änderung vornehmen!
|
||||
which address format should the addressbook use for countries it does not know the address format. if the address format of a country is known, it uses it independent of this setting. addressbook de Welches Format soll das Adressbuch für Adressen verwenden deren landesübliches Adressformat unbekannt ist. Wenn das Adressformat eines Landes dem Adressbuch bekannt ist, wird das unabhänig von dieser Einstellung benutzt.
|
||||
which addressbook should be selected when adding a contact and you have no add rights to the current addressbook. addressbook de Welches Adressbuch soll ausgewählt sein beim Hinzfügen von Kontakten, wenn Sie keine Hinzufügen Rechte zum aktuellen Adressbuch haben.
|
||||
which charset should be used for the csv export. the system default is the charset of this egroupware installation. addressbook de Welcher Zeichensatz soll für den CSV Export verwendet werden. Die systemweite Vorgabe ist der Zeichensatz der eGroupWare Installation.
|
||||
which fields should be exported. all means every field stored in the addressbook incl. the custom fields. the business or home address only contains name, company and the selected address. addressbook de Welche Felder sollen exportiert werden. Alle bedeutet jedes Feld das im Adressbuch gespeichert ist einschl. der benutzerdefinierten Felder. Die Geschäfts- oder Privatadresse enthält nur Name, Firma und die ausgewählte Adresse.
|
||||
|
@ -95,6 +95,7 @@ csv-filename addressbook en CSV-Filename
|
||||
custom addressbook en Custom
|
||||
custom fields addressbook en Custom Fields
|
||||
debug output in browser addressbook en Debug output in browser
|
||||
default address format addressbook en Default address format
|
||||
default addressbook for adding contacts addressbook en Default addressbook for adding contacts
|
||||
default filter addressbook en Default Filter
|
||||
delete a single entry by passing the id. addressbook en Delete a single entry by passing the id.
|
||||
@ -300,6 +301,7 @@ view linked infolog entries addressbook en View linked InfoLog entries
|
||||
warning!! ldap is valid only if you are not using contacts for accounts storage! admin en WARNING!! LDAP is valid only if you are NOT using contacts for accounts storage!
|
||||
warning: all contacts found will be deleted! addressbook en WARNING: All contacts found will be deleted!
|
||||
what should links to the addressbook display in other applications. empty values will be left out. you need to log in anew, if you change this setting! addressbook en What should links to the addressbook display in other applications. Empty values will be left out. You need to log in anew, if you change this setting!
|
||||
which address format should the addressbook use for countries it does not know the address format. if the address format of a country is known, it uses it independent of this setting. addressbook en Which address format should the addressbook use for countries it does not know the address format. If the address format of a country is known, it uses it independent of this setting.
|
||||
which addressbook should be selected when adding a contact and you have no add rights to the current addressbook. addressbook en Which addressbook should be selected when adding a contact AND you have no add rights to the current addressbook.
|
||||
which charset should be used for the csv export. the system default is the charset of this egroupware installation. addressbook en Which charset should be used for the CSV export. The system default is the charset of this eGroupWare installation.
|
||||
which fields should be exported. all means every field stored in the addressbook incl. the custom fields. the business or home address only contains name, company and the selected address. addressbook en Which fields should be exported. All means every field stored in the addressbook incl. the custom fields. The business or home address only contains name, company and the selected address.
|
||||
|
@ -14,8 +14,12 @@ actions addressbook es-es Acciones
|
||||
add %1 addressbook es-es Añadir %1
|
||||
add a contact to this organisation addressbook es-es Añadir un contacto a esta organización
|
||||
add a new contact addressbook es-es Añadir un contacto nuevo
|
||||
add a new list addressbook es-es Añadir una lista nueva
|
||||
add a single entry by passing the fields. addressbook es-es Añadir una entrada simple pasando los campos
|
||||
add custom field addressbook es-es Añadir campo personalizado
|
||||
add to distribution list: addressbook es-es Añadir a la lista de distribución:
|
||||
added by synchronisation addressbook es-es Añadido por sincronización
|
||||
added to distribution list addressbook es-es Añadido a la lista de distribución
|
||||
additional information about using ldap as contact repository admin es-es Información adicional acerca del uso de LDAP como repositorio de contactos
|
||||
address book common es-es Libreta de direcciones
|
||||
address book - vcard in addressbook es-es Libreta de direcciones - entrada de tarjeta de visita
|
||||
@ -23,6 +27,7 @@ address book - view addressbook es-es Libreta de direcciones - ver
|
||||
address line 2 addressbook es-es Línea 2 de la dirección
|
||||
address type addressbook es-es Tipo de dirección
|
||||
addressbook common es-es Libreta de direcciones
|
||||
addressbook csv export addressbook es-es Exportar a CSV la libreta de direcciones
|
||||
addressbook menu addressbook es-es Menú de la libreta de direcciones
|
||||
addressbook preferences addressbook es-es Preferencias de la libreta de direcciones
|
||||
addressbook the contact should be saved to addressbook es-es Libreta de direcciones en la que guardar el contacto
|
||||
@ -130,6 +135,7 @@ export file name addressbook es-es Nombre del fichero a exportar
|
||||
export from addressbook addressbook es-es Exportar de la libreta de direcciones
|
||||
export selection addressbook es-es Exportar la selección
|
||||
exported addressbook es-es exportada
|
||||
exports contacts from your addressbook into a csv file. csv means 'comma seperated values'. however in the options tab you can also choose other seperators. addressbook es-es Exporta los contactos de su libreta de direcciones en un fichero CSV. CSV significa 'Comma Separated Values' (valores separados por comas). Sin embargo, en la pestaña de opciones se pueden elegir otros separadores.
|
||||
extra addressbook es-es Extra
|
||||
failed to change %1 organisation member(s) (insufficent rights) !!! addressbook es-es Fallo al cambiar %1 miembros de la organización ¡No tiene privilegios suficientes!
|
||||
fax addressbook es-es Fax
|
||||
@ -149,6 +155,8 @@ geo addressbook es-es GEO
|
||||
global categories addressbook es-es Categorías globales
|
||||
grant addressbook access common es-es Conceder acceso a la libreta de direcciones
|
||||
group %1 addressbook es-es Grupo %1
|
||||
hide accounts from addressbook addressbook es-es Ocultar las cuentas de la libreta de direcciones
|
||||
hides accounts completly from the adressbook. addressbook es-es Oculta completamente las cuentas de la libreta de direcciones
|
||||
home address addressbook es-es Domicilio particular
|
||||
home address, birthday, ... addressbook es-es Domicilio particular, Cumpleaños, ...
|
||||
home city addressbook es-es Ciudad de residencia
|
||||
|
@ -18,6 +18,7 @@ add a new list addressbook pt-br Adicionar uma nova lista
|
||||
add a single entry by passing the fields. addressbook pt-br Adicionar uma única entrada informando os campos.
|
||||
add custom field addressbook pt-br Adicionar campo personalizado
|
||||
add to distribution list: addressbook pt-br Adicionar a uma lista de distribuição
|
||||
added by synchronisation addressbook pt-br adicionado por sincronização
|
||||
added to distribution list addressbook pt-br adicionado a uma lista de distribuição
|
||||
additional information about using ldap as contact repository admin pt-br Informação adicional sobre usar LDAP como respositório de contas
|
||||
address book common pt-br Contatos
|
||||
@ -26,6 +27,7 @@ address book - view addressbook pt-br Contatos - Exibir
|
||||
address line 2 addressbook pt-br Endereço Linha 2
|
||||
address type addressbook pt-br Tipo de endereço
|
||||
addressbook common pt-br Contatos
|
||||
addressbook csv export addressbook pt-br Exportar Contatos em CSV
|
||||
addressbook menu addressbook pt-br Menu dos Contatos
|
||||
addressbook preferences addressbook pt-br Preferências de Contatos
|
||||
addressbook the contact should be saved to addressbook pt-br Contatos em que o contato deverá ser salvo
|
||||
@ -133,6 +135,7 @@ export file name addressbook pt-br Exportar arquivo
|
||||
export from addressbook addressbook pt-br Exportar dos Contatos
|
||||
export selection addressbook pt-br Exportar seleção
|
||||
exported addressbook pt-br exportado
|
||||
exports contacts from your addressbook into a csv file. csv means 'comma seperated values'. however in the options tab you can also choose other seperators. addressbook pt-br Exporta seus contatos em um arquivo CSV. CSV significa 'Comma Seperated Values' (Valores Separados por Vírgula). No entando na guia Opções você também pode escolher outros separadores.
|
||||
extra addressbook pt-br Extra
|
||||
failed to change %1 organisation member(s) (insufficent rights) !!! addressbook pt-br Falha ao alterar %1 membro(s) da organização (direitos insuficientes) !!!
|
||||
fax addressbook pt-br Fax
|
||||
@ -152,6 +155,8 @@ geo addressbook pt-br GEO
|
||||
global categories addressbook pt-br Categorias Globais
|
||||
grant addressbook access common pt-br Permitir acesso aos Contatos
|
||||
group %1 addressbook pt-br Grupo %1
|
||||
hide accounts from addressbook addressbook pt-br Ocultar contas dos Contatos
|
||||
hides accounts completly from the adressbook for non administrators! addressbook pt-br Ocultar completamente contas dos Contatos para um não-administrador!
|
||||
home address addressbook pt-br Endereço residencial
|
||||
home address, birthday, ... addressbook pt-br Endereço residencial, Aniversário, ...
|
||||
home city addressbook pt-br Cidade
|
||||
|
@ -18,6 +18,7 @@ add a new list addressbook sl Dodaj nov seznam
|
||||
add a single entry by passing the fields. addressbook sl Dodaj zapis z vnosom polj.
|
||||
add custom field addressbook sl Dodaj polje
|
||||
add to distribution list: addressbook sl Dodaj v distribucijski seznam:
|
||||
added by synchronisation addressbook sl Dodano s sinhronizacijo
|
||||
added to distribution list addressbook sl Dodano v distribucijski seznam
|
||||
additional information about using ldap as contact repository admin sl Dodatne informacije o uporabi LDAP kot repozitorija za kontakte
|
||||
address book common sl Adresar
|
||||
@ -26,6 +27,7 @@ address book - view addressbook sl Adresar - pogled
|
||||
address line 2 addressbook sl Naslov - 2. vrstica
|
||||
address type addressbook sl Tip naslova
|
||||
addressbook common sl Adresar
|
||||
addressbook csv export addressbook sl Izvoz adresarja v CSV
|
||||
addressbook menu addressbook sl Meni adresarja
|
||||
addressbook preferences addressbook sl Lastnosti adresarja
|
||||
addressbook the contact should be saved to addressbook sl Adresar, v katerega naj se shrani kontakt
|
||||
@ -133,6 +135,7 @@ export file name addressbook sl Ime izvožene datoteke
|
||||
export from addressbook addressbook sl Izvoz iz adresarja
|
||||
export selection addressbook sl Izvozi izbor
|
||||
exported addressbook sl Izvoženo
|
||||
exports contacts from your addressbook into a csv file. csv means 'comma seperated values'. however in the options tab you can also choose other seperators. addressbook sl Izvozi stike iz vašega adresarja v datoteko CSV. CSV pomeni 'Comma Seperated Values' (vrednosti, ločene z vejico). Na zavihku možnosti pa lahko za ločilo polj izberete drugi znak.
|
||||
extra addressbook sl Dodatno
|
||||
failed to change %1 organisation member(s) (insufficent rights) !!! addressbook sl Napaka pri spreminjanju %1 članov organizacije (premalo pravic)!
|
||||
fax addressbook sl Faks
|
||||
@ -152,6 +155,8 @@ geo addressbook sl GEO
|
||||
global categories addressbook sl Globalne kategorije
|
||||
grant addressbook access common sl Dostop do glavnega imenika
|
||||
group %1 addressbook sl Skupina %1
|
||||
hide accounts from addressbook addressbook sl Skrij uporabniške račune iz adresarja
|
||||
hides accounts completly from the adressbook. addressbook sl Skrij uporabniške račune iz adresarja
|
||||
home address addressbook sl Domači naslov
|
||||
home address, birthday, ... addressbook sl Domači naslov, rojstni dan ...
|
||||
home city addressbook sl Mesto
|
||||
|
@ -12,7 +12,6 @@
|
||||
}
|
||||
.photo img {
|
||||
width: 60px;
|
||||
min-height: 80px;
|
||||
cursor: hand;
|
||||
}
|
||||
.uploadphoto{
|
||||
|
@ -48,12 +48,12 @@
|
||||
</row>
|
||||
<row>
|
||||
<description/>
|
||||
<button label="Ok" onclick="set_style_by_class('table','editname','display','none'); document.getElementById(form::name('title')).focus(); return false;"/>
|
||||
<button label="Ok" onclick="set_style_by_class('table','editname','display','none'); if(document.getElementById(form::name('title'))){document.getElementById(form::name('title')).focus();} return false;"/>
|
||||
</row>
|
||||
</rows>
|
||||
</grid>
|
||||
</template>
|
||||
<template id="addressbook.edit.general" template="" lang="" group="0" version="1.3.004">
|
||||
<template id="addressbook.edit.general" template="" lang="" group="0" version="1.3.005">
|
||||
<grid height="258">
|
||||
<columns>
|
||||
<column/>
|
||||
@ -115,7 +115,7 @@
|
||||
<description/>
|
||||
<textbox size="45" maxlength="64" id="adr_one_street2" statustext="address line 2"/>
|
||||
</row>
|
||||
<row>
|
||||
<row disabled="@addr_format=city_state_postcode">
|
||||
<description/>
|
||||
<description value="city" options=",,,adr_one_locality"/>
|
||||
<hbox options="0,0">
|
||||
@ -123,7 +123,7 @@
|
||||
<textbox size="35" maxlength="64" id="adr_one_locality" statustext="City" class="leftPad5"/>
|
||||
</hbox>
|
||||
</row>
|
||||
<row>
|
||||
<row disabled="@addr_format=city_state_postcode">
|
||||
<description/>
|
||||
<description value="country" options=",,,adr_one_countryname"/>
|
||||
<hbox options="0,0">
|
||||
@ -133,6 +133,22 @@
|
||||
<textbox class="leftPad5" size="19" maxlength="64" id="adr_one_region" statustext="State"/>
|
||||
</hbox>
|
||||
</row>
|
||||
<row disabled="!@addr_format=city_state_postcode">
|
||||
<description/>
|
||||
<description value="City"/>
|
||||
<hbox options="0,0">
|
||||
<textbox size="30" maxlength="64" id="adr_one_locality" statustext="City"/>
|
||||
<textbox class="leftPad5" size="3" maxlength="64" id="adr_one_region" statustext="State"/>
|
||||
<textbox size="5" maxlength="64" id="adr_one_postalcode" statustext="ZIP Code" class="leftPad5"/>
|
||||
</hbox>
|
||||
</row>
|
||||
<row disabled="!@addr_format=city_state_postcode">
|
||||
<description/>
|
||||
<description value="country" options=",,,adr_one_countryname"/>
|
||||
<menulist>
|
||||
<menupopup type="select-country" options="Select one,1" id="adr_one_countryname"/>
|
||||
</menulist>
|
||||
</row>
|
||||
<row valign="bottom" height="25">
|
||||
<image src="private.png"/>
|
||||
<description value="Addressbook"/>
|
||||
@ -159,7 +175,7 @@
|
||||
</rows>
|
||||
</grid>
|
||||
</template>
|
||||
<template id="addressbook.edit.home" template="" lang="" group="0" version="1.3.002">
|
||||
<template id="addressbook.edit.home" template="" lang="" group="0" version="1.3.003">
|
||||
<grid height="258">
|
||||
<columns>
|
||||
<column/>
|
||||
@ -177,7 +193,7 @@
|
||||
<description options=",,,adr_two_street2"/>
|
||||
<textbox size="45" maxlength="64" id="adr_two_street2" statustext="address line 2"/>
|
||||
</row>
|
||||
<row>
|
||||
<row disabled="@addr_format2=city_state_postcode">
|
||||
<description/>
|
||||
<description value="city" options=",,,adr_two_locality"/>
|
||||
<hbox options="0,0">
|
||||
@ -185,7 +201,7 @@
|
||||
<textbox size="35" maxlength="64" id="adr_two_locality" statustext="City" class="leftPad5"/>
|
||||
</hbox>
|
||||
</row>
|
||||
<row>
|
||||
<row disabled="@addr_format2=city_state_postcode">
|
||||
<description/>
|
||||
<description value="country" options=",,,adr_two_countryname"/>
|
||||
<hbox options="0,0">
|
||||
@ -195,6 +211,22 @@
|
||||
<textbox class="leftPad5" size="19" maxlength="64" id="adr_two_region" statustext="State"/>
|
||||
</hbox>
|
||||
</row>
|
||||
<row disabled="!@addr_format2=city_state_postcode">
|
||||
<description/>
|
||||
<description value="city" options=",,,adr_two_locality"/>
|
||||
<hbox options="0,0">
|
||||
<textbox size="30" maxlength="64" id="adr_two_locality" statustext="City"/>
|
||||
<textbox class="leftPad5" size="3" maxlength="64" id="adr_two_region" statustext="State"/>
|
||||
<textbox size="5" maxlength="64" id="adr_two_postalcode" statustext="ZIP Code" class="leftPad5"/>
|
||||
</hbox>
|
||||
</row>
|
||||
<row disabled="!@addr_format2=city_state_postcode">
|
||||
<description/>
|
||||
<description value="Country"/>
|
||||
<menulist>
|
||||
<menupopup type="select-country" options="Select one,1" id="adr_two_countryname"/>
|
||||
</menulist>
|
||||
</row>
|
||||
<row height="30">
|
||||
<image src="gear"/>
|
||||
<description options=",,,bday" value="Birthday"/>
|
||||
|
@ -11,7 +11,7 @@
|
||||
<menupopup label="Type" id="col_filter[tid]" statustext="Select addressbook type" onchange="1"/>
|
||||
</menulist>
|
||||
</template>
|
||||
<template id="addressbook.index.rows" template="" lang="" group="0" version="1.3.001">
|
||||
<template id="addressbook.index.rows" template="" lang="" group="0" version="1.3.002">
|
||||
<grid width="100%">
|
||||
<columns>
|
||||
<column/>
|
||||
@ -115,6 +115,7 @@
|
||||
<description id="${row}[adr_one_countryname]" no_lang="1"/>
|
||||
<hbox options="0,0" orient="0">
|
||||
<description no_lang="1" id="${row}[adr_one_locality]"/>
|
||||
<description class="leftPad5" no_lang="1" id="${row}[adr_one_region]"/>
|
||||
<description id="${row}[adr_one_postalcode]" class="leftPad5" value=" " no_lang="1"/>
|
||||
</hbox>
|
||||
<description no_lang="1" id="${row}[adr_one_street]"/>
|
||||
@ -124,6 +125,7 @@
|
||||
<description id="${row}[adr_two_countryname]" no_lang="1"/>
|
||||
<hbox options="0,0">
|
||||
<description no_lang="1" id="${row}[adr_two_locality]"/>
|
||||
<description no_lang="1" id="${row}[adr_two_region]"/>
|
||||
<description id="${row}[adr_two_postalcode]" class="leftPad5" value=" " no_lang="1"/>
|
||||
</hbox>
|
||||
<description no_lang="1" id="${row}[adr_two_street]"/>
|
||||
|
@ -440,4 +440,5 @@ you must enter an application name and title. admin sl Vnesti morate ime in nazi
|
||||
you must enter an application name. admin sl Vnesti morate ime aplikacije.
|
||||
you must enter an application title. admin sl Vnesti morate naslov aplikacije.
|
||||
you must select a file type admin sl Izbrati morate tip datoteke
|
||||
you must select at least one group member admin sl Izbrati morate najmanj enega člana skupine.
|
||||
you will need to remove the subcategories before you can delete this category admin sl Preden lahko izbrišete to kategorijo, morate izbrisati vse podkategorije!
|
||||
|
@ -267,9 +267,9 @@
|
||||
{
|
||||
$holiday = $this->bo->read_entry($this->bo->id);
|
||||
}
|
||||
if ($this->locale)
|
||||
if ($this->bo->locale)
|
||||
{
|
||||
$holiday['locale'] = $this->locale;
|
||||
$holiday['locale'] = $this->bo->locale;
|
||||
}
|
||||
unset($GLOBALS['egw_info']['flags']['noheader']);
|
||||
unset($GLOBALS['egw_info']['flags']['nonavbar']);
|
||||
|
@ -593,11 +593,14 @@
|
||||
'mail_suffix' => 'defaultDomain',
|
||||
'smtp_server' => 'smtpServer',
|
||||
'smpt_port' => 'smtpPort',
|
||||
'smtp_auth_user' => 'ea_smtp_auth_username',
|
||||
'smtp_auth_passwd' => 'ea_smtp_auth_password',
|
||||
) as $setup_name => $ea_name_data)
|
||||
{
|
||||
if (!is_array($ea_name_data))
|
||||
{
|
||||
$profile[$ea_name_data] = $settings[$setup_name];
|
||||
if ($setup_name == 'smtp_auth_user') $profile['stmpAuth'] = !empty($settings['smtp_auth_user']);
|
||||
}
|
||||
else
|
||||
{
|
||||
@ -644,7 +647,10 @@
|
||||
'defaultDomain' => 'mail_suffix',
|
||||
'smtpServer' => 'smtp_server',
|
||||
'smtpPort' => 'smpt_port',
|
||||
) as $ea_name => $config_name)
|
||||
)+($all['smtpAuth'] ? array(
|
||||
'ea_smtp_auth_username' => 'smtp_auth_user',
|
||||
'ea_smtp_auth_password' => 'smtp_auth_passwd',
|
||||
) : array()) as $ea_name => $config_name)
|
||||
{
|
||||
if (isset($all[$ea_name]))
|
||||
{
|
||||
|
@ -41,20 +41,21 @@ class sitemgr_module extends Module // the Module class get automatic included b
|
||||
list($app) = explode('.',$this->etemplate_method);
|
||||
$GLOBALS['egw']->translation->add_app($app);
|
||||
|
||||
$css = "<style type=\"text/css\">\n<!--\n@import url(".$GLOBALS['egw_info']['server']['webserver_url'].
|
||||
$extra = "<style type=\"text/css\">\n<!--\n@import url(".$GLOBALS['egw_info']['server']['webserver_url'].
|
||||
"/etemplate/templates/default/app.css);\n";
|
||||
|
||||
if ($app != 'etemplate' && file_exists(EGW_SERVER_ROOT.'/'.$app.'/templates/default/app.css'))
|
||||
{
|
||||
$css .= "@import url(".$GLOBALS['egw_info']['server']['webserver_url'].
|
||||
$extra .= "@import url(".$GLOBALS['egw_info']['server']['webserver_url'].
|
||||
'/'.$app."/templates/default/app.css);\n";
|
||||
}
|
||||
$css .= "-->\n</style>\n";
|
||||
$extra .= "-->\n</style>\n";
|
||||
$extra .= '<script src="'.$GLOBALS['egw_info']['server']['webserver_url'].'/etemplate/js/etemplate.js" type="text/javascript"></script>'."\n";
|
||||
$ret = false;
|
||||
if($_POST['etemplate_exec_id'])
|
||||
{
|
||||
$ret = ExecMethod('etemplate.etemplate.process_exec');
|
||||
}
|
||||
return $css.($ret ? $ret : ExecMethod2($this->etemplate_method,null,$arguments['arg1'],$arguments['arg2'],$arguments['arg3']));
|
||||
return $extra.($ret ? $ret : ExecMethod2($this->etemplate_method,null,$arguments['arg1'],$arguments['arg2'],$arguments['arg3']));
|
||||
}
|
||||
}
|
||||
|
@ -1146,7 +1146,8 @@
|
||||
if ($this->java_script() && ($cell['onchange'] != '' || $img && !$readonly) && !$cell['needed']) // use a link instead of a button
|
||||
{
|
||||
$onclick = ($onclick ? preg_replace('/^return(.*);$/','if (\\1) ',$onclick) : '').
|
||||
(($cell['onchange'] == 1 || $img) ? "return submitit($this->name_form,'$form_name');" : $cell['onchange']).'; return false;';
|
||||
(((string)$cell['onchange'] === '1' || $img && !$onclick) ?
|
||||
"return submitit($this->name_form,'$form_name');" : $cell['onchange']).'; return false;';
|
||||
|
||||
if (!$this->html->netscape4 && substr($img,-1) == '%' && is_numeric($percent = substr($img,0,-1)))
|
||||
{
|
||||
@ -1649,11 +1650,10 @@
|
||||
*/
|
||||
function js_pseudo_funcs($on,$cname)
|
||||
{
|
||||
if (preg_match("/egw::link\\('([^']+)','([^']+)'\\)/",$on,$matches))
|
||||
{
|
||||
if (preg_match("/egw::link\\('([^']+)','(.+?)'\\)/",$on,$matches)) // the ? alters the expression to shortest match
|
||||
{ // this way we can correctly parse ' in the 2. argument
|
||||
$url = $GLOBALS['egw']->link($matches[1],$matches[2]);
|
||||
$on = str_replace($matches[0],'\''.$url.'\'',$on);
|
||||
//$on = preg_replace('/egw::link\(\'([^\']+)\',\'([^\']+)\'\)/','\''.$url.'\'',$on);
|
||||
}
|
||||
if (preg_match_all("/form::name\\('([^']+)'\\)/",$on,$matches))
|
||||
{
|
||||
|
@ -16,6 +16,7 @@
|
||||
a pattern to be searched for etemplate sl Iskani vzorec
|
||||
accesskey etemplate sl Bližnjica
|
||||
accesskeys can also be specified with an & in the label (eg. &name) etemplate sl Bližnjico lahko določite tudi z znakom & v oznaki (npr. &Ime)
|
||||
account contactdata etemplate sl Kontaktni podatki računa
|
||||
add a new column (after the existing ones) etemplate sl Dodaj nov stolpec (za obstoječimi)
|
||||
add a new entry of the selected application etemplate sl Dodaj nov vnos v izbrano aplikacijo
|
||||
add a new multi-column index etemplate sl Dodaj novo kazalo z več stolpci
|
||||
@ -35,6 +36,7 @@ application etemplate sl Aplikacija
|
||||
application name needed to write a langfile or dump the etemplates !!! etemplate sl Ime programa, ki je potreben za zapis jezikovne datoteke ali skladiščenje ePredlog
|
||||
applies the changes made etemplate sl Potrdi spremembe
|
||||
applies the changes to the given version of the template etemplate sl potrdi spremembe podane verzije predloge
|
||||
as default etemplate sl Kot privzeto
|
||||
attach etemplate sl Pripni
|
||||
attach file etemplate sl Pripni datoteko
|
||||
baseline etemplate sl Osnovna vrstica
|
||||
@ -73,6 +75,8 @@ comment etemplate sl Komentar
|
||||
confirm etemplate sl Potrdi
|
||||
confirmation message or custom javascript (returning true or false) etemplate sl Potrjevanje sporočila ali poljubni javaskript (vrne resnično ali neresnično)
|
||||
confirmation necesary or custom java-script etemplate sl Potrebna je potrditev ali java-skripta po meri
|
||||
contact etemplate sl Stik
|
||||
contact field to show etemplate sl Polje stika za prikaz
|
||||
contact fields etemplate sl Polja s stikom
|
||||
contains etemplate sl Vsebuje
|
||||
create a new table for the application etemplate sl Naredi novo tabelo za program
|
||||
@ -153,6 +157,7 @@ exchange this two columns etemplate sl Zamenjaj ta dva stolpca
|
||||
export the loaded etemplate into a xml-file etemplate sl Izvozi naloženo ePredlogo v datoteko XML
|
||||
export xml etemplate sl Izvozi XML
|
||||
extensions loaded: etemplate sl Razširitve naložene:
|
||||
field etemplate sl Polje
|
||||
field must not be empty !!! etemplate sl Polje ne sme biti prazno!
|
||||
file etemplate sl Datoteka
|
||||
file contains more than one etemplate, last one is shown !!! etemplate sl Datoteka vsebuje več kot eno ePredlogo, prikazana je zadnja.
|
||||
@ -237,6 +242,7 @@ nextmatch etemplate sl Naslednji zadetek
|
||||
nextmatch accountfilter etemplate sl Naslednji zadetek, filter računa
|
||||
nextmatch custom filterheader etemplate sl Naslednji zadetek, naslov filtra po meri
|
||||
nextmatch filterheader etemplate sl Naslednji zadetek, filtriraj glavo
|
||||
nextmatch header etemplate sl Naslednji zadetek, glava
|
||||
nextmatch sortheader etemplate sl Naslednji zadetek, razvrsti glave
|
||||
no column to swap with !!! etemplate sl Nobenega stolpca za zamenjavo!
|
||||
no file etemplate sl Ni datoteke
|
||||
@ -280,6 +286,7 @@ remove this link (not the entry itself) etemplate sl Odstrani to povezavo (ne sa
|
||||
returns savely, without deleting etemplate sl Vrne varno, BREZ brisanja
|
||||
right etemplate sl Desno
|
||||
row... etemplate sl Vrstica ...
|
||||
save selected columns as default preference for all users. etemplate sl Shrani izbrane stolpce kot privzeto nastavitev za vse uporabnike.
|
||||
save the changes made and close the window etemplate sl Shrani spremembe in zapri okno
|
||||
save the etemplate under the above keys (name, ...), change them for a saveas etemplate sl Shrani ePredlogo pod gornjimi ključi (ime,...), spremeni jih za Shrani kot
|
||||
saves changes to tables_current.inc.php etemplate sl Shrani spremembe v tables_current.inc.php
|
||||
@ -298,19 +305,23 @@ select an application, (*) = uninstalled etemplate sl Izberite program, (*) = od
|
||||
select an entry to link with etemplate sl Izberite vnos za povezavo
|
||||
select an table of the application etemplate sl Izberite tabelo programa
|
||||
select application etemplate sl Izberite program
|
||||
select application to search etemplate sl Izberite aplikacijo za iskanje
|
||||
select category etemplate sl Izberite kategorijo
|
||||
select columns etemplate sl Izberite stolpce
|
||||
select country etemplate sl Izberite državo
|
||||
select day etemplate sl Izberite dan
|
||||
select day of week etemplate sl Izberite dan v tednu
|
||||
select entry etemplate sl Izberite vnos
|
||||
select hour etemplate sl Izberite uro
|
||||
select if content of field should not be translated (label gets always translated) etemplate sl Označite, če naj vsebina polja ne bi bila prevedena (oznaka je vedno prevedena)
|
||||
select language etemplate sl Izberite jezik
|
||||
select month etemplate sl Vnesite mesec
|
||||
select number etemplate sl Vnesite število
|
||||
select one ... etemplate sl Izberite eno ...
|
||||
select percentage etemplate sl Izberite odstotek
|
||||
select priority etemplate sl Izberite prioriteto
|
||||
select state etemplate sl Izberite državo
|
||||
select the columns to display in the list etemplate sl Izberite stolpce, ki naj se prikažejo v seznamu
|
||||
select the indexed columns in their desired order etemplate sl Izberite indeksne stolpce v želenem vrstnem redu
|
||||
select this etemplate to delete it etemplate sl Označite to ePredlogo za brisanje
|
||||
select which accounts to show etemplate sl Izberite, kateri računi naj bodo prikazani
|
||||
|
@ -46,13 +46,13 @@ file filemanager es-es Fichero
|
||||
file %1 already exists. please edit it or delete it first. filemanager es-es El fichero %1 ya existe. Por favor, edítelo o bórrelo antes.
|
||||
file %1 could not be created. filemanager es-es No se pudo crear el fichero %1.
|
||||
file name filemanager es-es Nombre del fichero
|
||||
file names cannot contain or / filemanager es-es Los nombres de fichero no pueden contener \ o /
|
||||
file names cannot contain "%1" filemanager es-es Los nombres de fichero no pueden contener "%1"
|
||||
file names cannot contain \ or / filemanager es-es Los nombres de fichero no pueden contener \ o /
|
||||
filemanager common es-es Administrador de archivos
|
||||
filemanager preferences filemanager es-es Preferencias del Administrador de archivos
|
||||
files filemanager es-es Ficheros
|
||||
files in this directory filemanager es-es Ficheros en este directorio
|
||||
files is this directory filemanager es-es Ficheros en este directorio
|
||||
folder filemanager es-es Carpeta
|
||||
folder up filemanager es-es Subir una carpeta
|
||||
go home filemanager es-es ir al inicio
|
||||
@ -76,7 +76,6 @@ operation filemanager es-es Operaci
|
||||
other settings filemanager es-es Otras opciones
|
||||
owner filemanager es-es Propietario
|
||||
please select a file to delete. filemanager es-es Por favor, seleccione un fichero para borrar
|
||||
preferences old preferences es-es Preferencias antiguas
|
||||
preview %1 filemanager es-es Vista previa de %1
|
||||
preview of %1 filemanager es-es Vista previa de %1
|
||||
quick jump to filemanager es-es Salto rápido a
|
||||
|
@ -1244,7 +1244,8 @@ class uiinfolog
|
||||
$bodyParts = $bofelamimail->getMessageBody($uid,'text/plain');
|
||||
$attachments = $bofelamimail->getMessageAttachments($uid);
|
||||
|
||||
if (isset($headers['FROM'])) $mailaddress = $bofelamimail->decode_header($headers['FROM']);
|
||||
if ($mailbox == 'Sent') $mailaddress = $bofelamimail->decode_header($headers['TO']);
|
||||
elseif (isset($headers['FROM'])) $mailaddress = $bofelamimail->decode_header($headers['FROM']);
|
||||
elseif (isset($headers['SENDER'])) $mailaddress = $bofelamimail->decode_header($headers['SENDER']);
|
||||
|
||||
$subject = $bofelamimail->decode_header($headers['SUBJECT']);
|
||||
|
@ -212,7 +212,6 @@ project settings: price, times infolog es-es Configuraci
|
||||
re: infolog es-es Re:
|
||||
read one record by passing its id. infolog es-es Leer un registro pasando su id.
|
||||
read rights (default) infolog es-es derecho de lectura (predeterminado)
|
||||
reg. expr. for local ip's<br>eg. ^192.168.1. infolog es-es expresión regular para IP's locales<br>p. ej. ^192\.168\.1\.
|
||||
remark infolog es-es Comentario
|
||||
remove this link (not the entry itself) infolog es-es Eliminar este enlace (no la entrada en sí)
|
||||
responsible infolog es-es Responsable
|
||||
@ -291,7 +290,7 @@ upcoming infolog es-es pr
|
||||
urgency infolog es-es Urgencia
|
||||
urgent infolog es-es urgente
|
||||
used time infolog es-es tiempo utilizado
|
||||
valid path on clientside<br>eg. \servershare or e: infolog es-es ruta válida en el lado del cliente<br>p. ej. \\servidor\recurso o e:\
|
||||
valid path on clientside<br>eg. \servershare or e: infolog es-es ruta válida en el lado del cliente<br>p. ej. //servidor/recurso o e:
|
||||
values for selectbox infolog es-es Valores para lista desplegable
|
||||
view all subs of this entry infolog es-es Ver todos los subs de esta entrada
|
||||
view other subs infolog es-es ver otros subs
|
||||
|
@ -320,6 +320,7 @@ class accounts_backend
|
||||
*/
|
||||
function get_list($_type='both', $start = null,$sort = '', $order = '', $query = '', $offset = null, $query_type='')
|
||||
{
|
||||
//echo "<p>accounts_sql($_type,$start,$sort,$order,$query,$offset,$query_type)</p>\n";
|
||||
if (!is_object($GLOBALS['egw']->contacts))
|
||||
{
|
||||
$GLOBALS['egw']->contacts =& CreateObject('phpgwapi.contacts');
|
||||
@ -329,7 +330,7 @@ class accounts_backend
|
||||
'account_lastname' => 'n_family',
|
||||
'account_email' => 'contact_email',
|
||||
);
|
||||
if (isset($order2contact[$order])) $order = $account2contact[$order];
|
||||
if (isset($order2contact[$order])) $order = $order2contact[$order];
|
||||
if ($sort) $order .= ' '.$sort;
|
||||
|
||||
switch($_type)
|
||||
|
@ -80,11 +80,9 @@
|
||||
return false;
|
||||
}
|
||||
}
|
||||
|
||||
$account =& CreateObject('phpgwapi.accounts',$username,'u');
|
||||
if ($account->account_id)
|
||||
if (($id = $GLOBALS['egw']->accounts->name2id($username,'account_lid','u')))
|
||||
{
|
||||
return true;
|
||||
return $GLOBALS['egw']->accounts->id2name($id,'account_status') == 'A';
|
||||
}
|
||||
if ($GLOBALS['egw_info']['server']['auto_create_acct'])
|
||||
{
|
||||
|
@ -10,6 +10,7 @@ application/rtf rtf
|
||||
application/smil smi smil
|
||||
application/vnd.mif mif
|
||||
application/vnd.ms-excel xls
|
||||
application/wordperfect wpd wp51 wp61
|
||||
application/x-bcpio bcpio
|
||||
application/x-cdlink vcd
|
||||
application/x-chess-pgn pgn
|
||||
|
@ -24,107 +24,3 @@ palestinian territory, occupied common ar
|
||||
save common ar ꇯ
|
||||
search common ar ÈÍË
|
||||
subject common ar ÇäåèÖèÙ
|
||||
bold tinymce ar غامق
|
||||
italic tinymce ar مائل
|
||||
underline tinymce ar تسطير
|
||||
striketrough tinymce ar يتوسطه خط
|
||||
align left tinymce ar محاذاة إلى اليسار
|
||||
align center tinymce ar توسيط
|
||||
align right tinymce ar محاذاة إلى اليمين
|
||||
align full tinymce ar ضبط
|
||||
unordered list tinymce ar تعداد نقطي
|
||||
ordered list tinymce ar تعداد رقمي
|
||||
outdent tinymce ar إنقاص المسافة البادئة
|
||||
indent tinymce ar زيادة المسافة البادئة
|
||||
undo tinymce ar تراجع
|
||||
redo tinymce ar إعادة
|
||||
insert/edit link tinymce ar إدراج/تحرير رابط
|
||||
unlink tinymce ar إزالة رابط
|
||||
insert/edit image tinymce ar إدراج/تحرير صورة
|
||||
cleanup messy code tinymce ar Cleanup messy code
|
||||
a editor instance must be focused before using this command. tinymce ar A editor instance must be focused before using this command.
|
||||
do you want to use the wysiwyg mode for this textarea? tinymce ar Do you want to use the WYSIWYG mode for this textarea?
|
||||
insert/edit link tinymce ar إدراج/تحرير رابط
|
||||
insert tinymce ar إدراج
|
||||
update tinymce ar إدراج
|
||||
cancel tinymce ar ألغي
|
||||
link url tinymce ar رابط URL
|
||||
target tinymce ar الهدف
|
||||
open link in the same window tinymce ar نفس الإطار
|
||||
open link in a new window tinymce ar إطار جديد (_blank)
|
||||
insert/edit image tinymce ar إدراج/تحرير صورة
|
||||
image url tinymce ar صورة URL
|
||||
image description tinymce ar الوصف
|
||||
help tinymce ar المساعدة
|
||||
copy/cut/paste is not available in mozilla and firefox.\ndo you want more information about this issue? tinymce ar Copy/Cut/Paste is not available in Mozilla and Firefox.\nDo you want more information about this issue?
|
||||
bold tinymce ar غامق
|
||||
italic tinymce ar مائل
|
||||
underline tinymce ar تسطير
|
||||
striketrough tinymce ar يتوسطه خط
|
||||
align left tinymce ar محاذاة إلى اليسار
|
||||
align center tinymce ar توسيط
|
||||
align right tinymce ar محاذاة إلى اليمين
|
||||
align full tinymce ar ضبط
|
||||
unordered list tinymce ar تعداد نقطي
|
||||
ordered list tinymce ar تعداد رقمي
|
||||
outdent tinymce ar إنقاص المسافة البادئة
|
||||
indent tinymce ar زيادة المسافة البادئة
|
||||
undo tinymce ar تراجع
|
||||
redo tinymce ar إعادة
|
||||
insert/edit link tinymce ar إدراج/تحرير رابط
|
||||
unlink tinymce ar إزالة رابط
|
||||
insert/edit image tinymce ar إدراج/تحرير صورة
|
||||
cleanup messy code tinymce ar Cleanup messy code
|
||||
a editor instance must be focused before using this command. tinymce ar A editor instance must be focused before using this command.
|
||||
do you want to use the wysiwyg mode for this textarea? tinymce ar Do you want to use the WYSIWYG mode for this textarea?
|
||||
insert/edit link tinymce ar إدراج/تحرير رابط
|
||||
insert tinymce ar إدراج
|
||||
update tinymce ar إدراج
|
||||
cancel tinymce ar ألغي
|
||||
link url tinymce ar رابط URL
|
||||
target tinymce ar الهدف
|
||||
open link in the same window tinymce ar نفس الإطار
|
||||
open link in a new window tinymce ar إطار جديد (_blank)
|
||||
insert/edit image tinymce ar إدراج/تحرير صورة
|
||||
image url tinymce ar صورة URL
|
||||
image description tinymce ar الوصف
|
||||
help tinymce ar المساعدة
|
||||
copy/cut/paste is not available in mozilla and firefox.\ndo you want more information about this issue? tinymce ar Copy/Cut/Paste is not available in Mozilla and Firefox.\nDo you want more information about this issue?
|
||||
inserts a new table tinymce ar إدراج/تحرير جدول
|
||||
insert row before tinymce ar Insert row before
|
||||
insert row after tinymce ar Insert row after
|
||||
delete row tinymce ar حذف صفوف
|
||||
insert column before tinymce ar Insert column before
|
||||
insert column after tinymce ar Insert column after
|
||||
remove col tinymce ar حذف أعمدة
|
||||
insert/modify table tinymce ar إدراج/تحرير جدول
|
||||
width tinymce ar العرض
|
||||
height tinymce ar الارتفاع
|
||||
columns tinymce ar أعمدة
|
||||
rows tinymce ar صفوف
|
||||
cellspacing tinymce ar تباعد الخلايا
|
||||
cellpadding tinymce ar المسافة البادئة
|
||||
border tinymce ar سمك الحدود
|
||||
alignment tinymce ar المحاذاة
|
||||
default tinymce ar Default
|
||||
left tinymce ar يسار
|
||||
right tinymce ar يمين
|
||||
center tinymce ar وسط
|
||||
class tinymce ar Class
|
||||
table row properties tinymce ar Table row properties
|
||||
table cell properties tinymce ar Table cell properties
|
||||
table row properties tinymce ar Table row properties
|
||||
table cell properties tinymce ar Table cell properties
|
||||
vertical alignment tinymce ar Vertical alignment
|
||||
top tinymce ar Top
|
||||
bottom tinymce ar Bottom
|
||||
table properties tinymce ar Table properties
|
||||
border color tinymce ar Border color
|
||||
bg color tinymce ar Bg color
|
||||
merge table cells tinymce ar Merge table cells
|
||||
split table cells tinymce ar Split table cells
|
||||
merge table cells tinymce ar Merge table cells
|
||||
cut table row tinymce ar Cut table row
|
||||
copy table row tinymce ar Copy table row
|
||||
paste table row before tinymce ar Paste table row before
|
||||
paste table row after tinymce ar Paste table row after
|
||||
|
@ -16,7 +16,6 @@
|
||||
3 number of chars for day-shortcut jscalendar ca 3 caràcters per a l'abreviatura del dia
|
||||
3 number of chars for month-shortcut jscalendar ca 3 caràcters per a l'abreviatura del mes
|
||||
80 (http) admin ca 80 (http)
|
||||
a editor instance must be focused before using this command. tinymce ca S'ha d'enfocar una instància d'editor abans de poder utilitzar aquesta comanda.
|
||||
about common ca Quant a
|
||||
about %1 common ca Quant a %1
|
||||
about egroupware common ca Quant a eGroupware
|
||||
@ -41,17 +40,10 @@ administration common ca Administraci
|
||||
afghanistan common ca AFGANISTAN
|
||||
albania common ca ALBÀNIA
|
||||
algeria common ca ALGÈRIA
|
||||
align center tinymce ca Alinea al centre
|
||||
align full tinymce ca Alinea amplada total
|
||||
align left tinymce ca Alinea a l'esquerra
|
||||
align right tinymce ca Alinea a la dreta
|
||||
alignment tinymce ca Alineació
|
||||
all common ca Tot
|
||||
all fields common ca tots els camps
|
||||
all occurrences of the search string was replaced. tinymce ca Totes les ocurrències de la cadena de cerca s'han reemplaçat.
|
||||
alphabet common ca a,b,c,d,e,f,g,h,i,j,k,l,m,n,o,p,q,r,s,t,u,v,w,x,y,z
|
||||
alternate style-sheet: common ca Fulla d'estils alternativa:
|
||||
alternative image tinymce ca Imatge alternativa
|
||||
american samoa common ca SAMOA AMERICANA
|
||||
andorra common ca ANDORRA
|
||||
angola common ca ANGOLA
|
||||
@ -91,14 +83,12 @@ belgium common ca B
|
||||
belize common ca BELIZE
|
||||
benin common ca BENIN
|
||||
bermuda common ca BERMUDA
|
||||
bg color tinymce ca color de fons
|
||||
bhutan common ca BHUTAN
|
||||
blocked, too many attempts common ca Bloquejat, massa intents
|
||||
bold common ca Negreta
|
||||
bold.gif common ca negreta.gif
|
||||
bolivia common ca BOLIVIA
|
||||
border common ca Vorera
|
||||
border color tinymce ca color de vorera
|
||||
bosnia and herzegovina common ca BOSNIA I HERZEGOVINA
|
||||
botswana common ca BOTSWANA
|
||||
bottom common ca Part inferior
|
||||
@ -125,9 +115,6 @@ category %1 has been added ! common ca Categoria %1 afegida !
|
||||
category %1 has been updated ! common ca Categoria %1 actualitzada !
|
||||
cayman islands common ca ILLES CAIMAN
|
||||
cc common ca Cc
|
||||
cellpadding tinymce ca Cellpadding
|
||||
cellspacing tinymce ca Cellspacing
|
||||
center tinymce ca Centre
|
||||
centered common ca centrat
|
||||
central african republic common ca REPÚBLICA CENTREAFRICANA
|
||||
chad common ca TXAD
|
||||
@ -142,12 +129,9 @@ choose a background color for the icons common ca Tria un color de fons per a le
|
||||
choose a background image. common ca Tria una imatge de fons
|
||||
choose a background style. common ca Tria un estil de fons
|
||||
choose a text color for the icons common ca Tria un color de text per a les icones
|
||||
choose directory to move selected folders and files to. tinymce ca Tria el directori on vols moure les carpetes i fitxers seleccionats.
|
||||
choose the category common ca Trieu la categoria
|
||||
choose the parent category common ca Trieu la categoria superior
|
||||
christmas island common ca ILLA CHRISTMAS
|
||||
class tinymce ca Classe
|
||||
cleanup messy code tinymce ca Neteja el codi
|
||||
clear common ca Netejar
|
||||
clear form common ca Netejar formulari
|
||||
click common ca Premeu
|
||||
@ -157,21 +141,16 @@ close common ca Tancar
|
||||
close sidebox common ca Tanca menú del costat
|
||||
cocos (keeling) islands common ca ILLES COCOS (KEELING)
|
||||
colombia common ca COLÒMBIA
|
||||
columns tinymce ca Columnes
|
||||
comment tinymce ca Comentari
|
||||
common preferences common ca Preferències comuns
|
||||
comoros common ca COMORES
|
||||
company common ca Empresa
|
||||
config password common ca Configura Contrasenya
|
||||
config username common ca Configura Nom d'Usuari
|
||||
configuration problem tinymce ca Problema de configuració
|
||||
congo common ca CONGO
|
||||
congo, the democratic republic of the common ca CONGO, REPÚBLICA DEMOCRÀTICA DEL
|
||||
contacting server... common ca Contactant amb servidor...
|
||||
cook islands common ca ILLES COOK
|
||||
copy common ca Copiar
|
||||
copy table row tinymce ca Copia la fila de la taula
|
||||
copy/cut/paste is not available in mozilla and firefox.\ndo you want more information about this issue? tinymce ca Copia/Retalla/Enganxa no està disponible per Mozilla i Firefox.\nVols més informació sobre això?
|
||||
costa rica common ca COSTA RICA
|
||||
cote d ivoire common ca COSTA D'IVORI
|
||||
could not contact server. operation timed out! common ca No s'ha pogut contactar amb el servidor. Ha expirat el temps de l'operació!
|
||||
@ -182,16 +161,13 @@ cuba common ca CUBA
|
||||
currency common ca Moneda
|
||||
current common ca Actual
|
||||
current users common ca Usuaris actuals
|
||||
cut table row tinymce ca Retalla la fila de la taula
|
||||
cyprus common ca XIPRE
|
||||
czech republic common ca REPÚBLICA TXECA
|
||||
date common ca Data
|
||||
date due common ca Data límit
|
||||
date modified tinymce ca Data modificada
|
||||
date selection: jscalendar ca Selecció de data:
|
||||
datetime port.<br>if using port 13, please set firewall rules appropriately before submitting this page.<br>(port: 13 / host: 129.6.15.28) admin ca Port de data.<br>Si useu el port 13, si us plau, configureu acuradament les regles del tallafocs abans d'enviar aquesta plana.<br>
|
||||
december common ca Desembre
|
||||
default tinymce ca Per defecte
|
||||
default category common ca Categoria predeterminada
|
||||
default height for the windows common ca Alçada per defecte de la finestra
|
||||
default width for the windows common ca Amplada per defecte de la finestra
|
||||
@ -202,10 +178,7 @@ description common ca Descripci
|
||||
detail common ca Detall
|
||||
details common ca Detalls
|
||||
diable the execution a bugfixscript for internet explorer 5.5 and higher to show transparency in png-images? common ca Desactivar l'execució del pegat d'IE 5.5 i superiors per mostrar transparències en imatges PNG?
|
||||
direction tinymce ca Direcció
|
||||
direction left to right common ca Direcció d'esquerra a dreta
|
||||
direction right to left tinymce ca Direcció de dreta a esquerra
|
||||
directory tinymce ca Directori
|
||||
disable internet explorer png-image-bugfix common ca Desactivar el pegat d'IE per veure imatges PNG
|
||||
disable slider effects common ca Desactivar efectes lliscants
|
||||
disable the animated slider effects when showing or hiding menus in the page? opera and konqueror users will probably must want this. common ca Desactivar efectes lliscants animats en mostrar o amagar menús a la plana? Opera i Konqueror probablement ho necessiten.
|
||||
@ -214,7 +187,6 @@ disabled common ca Desactivat
|
||||
display %s first jscalendar ca Mostra %s primer
|
||||
djibouti common ca DJIBOUTI
|
||||
do you also want to delete all subcategories ? common ca També voleu esborrar totes les subcategories?
|
||||
do you want to use the wysiwyg mode for this textarea? tinymce ca Vols utilitzar el mode WYSIWYG per aquest àrea de text?
|
||||
doctype: common ca TIPUS DE DOCUMENT:
|
||||
document properties common ca Propietats del document
|
||||
document title: common ca Títol del document:
|
||||
@ -224,7 +196,6 @@ domestic common ca Dom
|
||||
dominica common ca DOMINICA
|
||||
dominican republic common ca REPÚBLICA DOMINICANA
|
||||
done common ca Fet
|
||||
down tinymce ca Abaix
|
||||
drag to move jscalendar ca Arrosegueu per moure
|
||||
e-mail common ca Correu electrònic
|
||||
east timor common ca TIMOR EST
|
||||
@ -239,7 +210,6 @@ egypt common ca EGIPTE
|
||||
el salvador common ca EL SALVADOR
|
||||
email common ca Correu electrònic
|
||||
email-address of the user, eg. "%1" common ca Adreces de correu electrònic del usuari, ex. '%1'
|
||||
emotions tinymce ca Emocions
|
||||
en common ca en
|
||||
enabled common ca Activat
|
||||
end date common ca Data de finalització
|
||||
@ -263,39 +233,15 @@ fax number common ca Fax
|
||||
february common ca Febrer
|
||||
fields common ca Camps
|
||||
fiji common ca FIDJI
|
||||
file already exists. file was not uploaded. tinymce ca El fitxer ja existeix. No s'ha carregat el fitxer.
|
||||
file exceeds the size limit tinymce ca El fitxer sobrepassa la mida límit
|
||||
file manager tinymce ca Gestor de fitxers
|
||||
file not found. tinymce ca Fitxer no trobat.
|
||||
file was not uploaded. tinymce ca El fitxer no s'ha carregat.
|
||||
file with specified new name already exists. file was not renamed/moved. tinymce ca El fitxer amb el nom especificat ja existeix. El fitxer no s'ha reanomenat ni mogut.
|
||||
file(s) tinymce ca fitxer(s)
|
||||
file: tinymce ca Fitxer:
|
||||
files common ca Arxius
|
||||
files with this extension are not allowed. tinymce ca No se permeten fitxers amb aquesta extensió.
|
||||
filter common ca Filtre
|
||||
find tinymce ca Cerca
|
||||
find again tinymce ca Torna a cercar
|
||||
find what tinymce ca Que cerca
|
||||
find next tinymce ca Cerca següent
|
||||
find/replace tinymce ca Cerca/Reemplaça
|
||||
finland common ca FINLÀNDIA
|
||||
first name common ca Nom de pila
|
||||
first name of the user, eg. "%1" common ca Nom de pila de l'usuari, ex "%1"
|
||||
first page common ca Primera plana
|
||||
firstname common ca Nom de pila
|
||||
fixme! common ca ARREGLEU-ME!
|
||||
flash files tinymce ca Fitxers flash
|
||||
flash properties tinymce ca Propietats flash
|
||||
flash-file (.swf) tinymce ca fitxer flash (.swf)
|
||||
folder tinymce ca Carpeta
|
||||
folder already exists. common ca La carpeta ja existeix.
|
||||
folder name missing. tinymce ca No se troba el nom de la carpeta.
|
||||
folder not found. tinymce ca Carpeta no trobada.
|
||||
folder with specified new name already exists. folder was not renamed/moved. tinymce ca La carpeta amb el nom especificat ja existeix. La carpeta no s'ha reanomenat ni mogut.
|
||||
folder(s) tinymce ca carpeta(es)
|
||||
for mouse out tinymce ca en llevar el ratolí
|
||||
for mouse over tinymce ca en passar el ratolí per damunt
|
||||
force selectbox common ca Forçar quadre de selecció
|
||||
france common ca FRANÇA
|
||||
french guiana common ca GUAIANA FRANCESA
|
||||
@ -356,30 +302,15 @@ iceland common ca ISL
|
||||
iespell not detected. click ok to go to download page. common ca No s'ha detectat ieSpell. Pitja OK per anar a la pàgina de descàrrega.
|
||||
if the clock is enabled would you like it to update it every second or every minute? common ca Si el rellotge està habilitat, vols que s'actualitzi cada segon o cada minut?
|
||||
if there are some images in the background folder you can choose the one you would like to see. common ca Si hi ha algunes imatges a la carpeta de fons, pots triar la que t'agradaria veure.
|
||||
image description tinymce ca Descripció de la imatge
|
||||
image title tinymce ca Títol de la imatge
|
||||
image url common ca Imatge URL
|
||||
indent tinymce ca Indentar
|
||||
india common ca INDIA
|
||||
indonesia common ca INDONÈSIA
|
||||
insert tinymce ca Insereix
|
||||
insert 'return false' common ca insereix 'return false'
|
||||
insert / edit flash movie tinymce ca Insereix / edita pel·lícula flash
|
||||
insert / edit horizontale rule tinymce ca Insereix / edita Regla Horitzontal
|
||||
insert all %1 addresses of the %2 contacts in %3 common ca Inseriu totes les adreces %1 del contactes de %2 en %3
|
||||
insert column after common ca Insereix columna després
|
||||
insert column before common ca Insereix columna abans
|
||||
insert date tinymce ca Insereix data
|
||||
insert emotion tinymce ca Insereix emoció
|
||||
insert file tinymce ca Insereix Fitxer
|
||||
insert link to file tinymce ca Insereix enllaç a fitxer
|
||||
insert row after common ca Insereix fila després
|
||||
insert row before common ca Insereix fila abans
|
||||
insert time tinymce ca Insereix hora
|
||||
insert/edit image tinymce ca Insereix/edita imatge
|
||||
insert/edit link tinymce ca Insereix/edita enllaç
|
||||
insert/modify table tinymce ca Insereix/Modifica taula
|
||||
inserts a new table tinymce ca Insereix una nova taula
|
||||
international common ca Internacional
|
||||
invalid filename common ca Nom de fitxer invàlid
|
||||
invalid ip address common ca Adreça IP no vàlida
|
||||
@ -397,7 +328,6 @@ jamaica common ca JAMAICA
|
||||
january common ca Gener
|
||||
japan common ca JAPÓ
|
||||
jordan common ca JORDÀNIA
|
||||
js-popup tinymce ca JS-Popup
|
||||
july common ca Juliol
|
||||
jun common ca Juny
|
||||
june common ca Juny
|
||||
@ -406,7 +336,6 @@ justify full common ca Justificat total
|
||||
justify left common ca Justificat esquerra
|
||||
justify right common ca Justificat dreta
|
||||
kazakstan common ca KAZAKSTAN
|
||||
keep linebreaks tinymce ca Manté salts de línia
|
||||
kenya common ca KENYA
|
||||
keywords common ca Paraules clau
|
||||
kiribati common ca KIRIBATI
|
||||
@ -431,11 +360,9 @@ libyan arab jamahiriya common ca LIBIA (LYBIAN ARAB JAMAHIRIYA)
|
||||
license common ca Llicència
|
||||
liechtenstein common ca LIECHTENSTEIN
|
||||
line %1: '%2'<br><b>csv data does not match column-count of table %3 ==> ignored</b> common ca Línia %1: '%2'<br><b>les dades csv no coincideixen amb el número de columnes de la taula %3 ==> ignorat</b>
|
||||
link url tinymce ca Enllaç URL
|
||||
list common ca Llista
|
||||
list members common ca Llista de membres
|
||||
lithuania common ca LITUÀNIA
|
||||
loading files tinymce ca Carregant fitxers
|
||||
local common ca Local
|
||||
login common ca Entrar
|
||||
loginid common ca ID d'usuari
|
||||
@ -450,7 +377,6 @@ mail domain, eg. "%1" common ca domini de correu, ej. "%1"
|
||||
main category common ca Categoria Principal
|
||||
main screen common ca Pantalla Principal
|
||||
maintainer common ca Mantingut per
|
||||
make window resizable tinymce ca Fes la finestra redimensionable
|
||||
malawi common ca MALAWI
|
||||
malaysia common ca MALÀSIA
|
||||
maldives common ca MALDIVES
|
||||
@ -459,7 +385,6 @@ malta common ca MALTA
|
||||
march common ca Març
|
||||
marshall islands common ca ILLES MARSHALL
|
||||
martinique common ca MARTINICA
|
||||
match case tinymce ca Coincidir majúscules/minúscules
|
||||
mauritania common ca MAURITÀNIA
|
||||
mauritius common ca MAURICI
|
||||
max number of icons in navbar common ca Nombre màxim d'icones a la barra de navegació
|
||||
@ -467,19 +392,16 @@ may common ca Maig
|
||||
mayotte common ca MAYOTTE
|
||||
medium common ca Mig
|
||||
menu common ca Menú
|
||||
merge table cells tinymce ca Agrupa cel·les de la taula
|
||||
message common ca Missatge
|
||||
mexico common ca MÈXIC
|
||||
micronesia, federated states of common ca MICRONESIA, ESTATS FEDERATS DE
|
||||
minute common ca Minut
|
||||
mkdir failed. tinymce ca Ha fallat mkdir.
|
||||
moldova, republic of common ca MOLDÀViA, REPÚBLICA DE
|
||||
monaco common ca MONACO
|
||||
monday common ca Dilluns
|
||||
mongolia common ca MONGOLIA
|
||||
montserrat common ca MONTSERRAT
|
||||
morocco common ca MARROC
|
||||
move tinymce ca moure
|
||||
mozambique common ca MOÇAMBIC
|
||||
multiple common ca múltiple
|
||||
myanmar common ca MYANMAR
|
||||
@ -493,11 +415,6 @@ netherlands antilles common ca ANTILLES HOLANDESES
|
||||
never common ca Mai
|
||||
new caledonia common ca NOVA CALEDÒNIA
|
||||
new entry added sucessfully common ca Nova entrada afegida correctament
|
||||
new file name missing! tinymce ca No se troba el nou nom de fitxer!
|
||||
new file name: tinymce ca Nou nom de fitxer:
|
||||
new folder tinymce ca Nova carpeta
|
||||
new folder name missing! tinymce ca No se troba el nou nom de carpeta!
|
||||
new folder name: tinymce ca Nou nom de carpeta:
|
||||
new main category common ca Nova categoria principal
|
||||
new value common ca Nou valor
|
||||
new zealand common ca NOVA ZELANDA
|
||||
@ -511,15 +428,8 @@ nigeria common ca NIGERIA
|
||||
niue common ca NIUE
|
||||
no common ca No
|
||||
no entries found, try again ... common ca No s'han trobat entrades, proveu un altre cop...
|
||||
no files... tinymce ca Sense fitxers...
|
||||
no history for this record common ca Sense historial per aquest registre
|
||||
no permission to create folder. tinymce ca Sense permís per crear la carpeta.
|
||||
no permission to delete file. tinymce ca Sense permís per esborrar el fitxer.
|
||||
no permission to move files and folders. tinymce ca Sense permís per moure fitxers i carpetes.
|
||||
no permission to rename files and folders. tinymce ca Sense permís per reanomenar fitxers i carpetes.
|
||||
no permission to upload. tinymce ca Sense permís per carregar.
|
||||
no savant2 template directories were found in: common ca No s'han trobat directoris de plantilles Savant2 a:
|
||||
no shadow tinymce ca Sense ombra
|
||||
no subject common ca Sense assumpte
|
||||
none common ca Cap
|
||||
norfolk island common ca ILLA NORFOLK
|
||||
@ -538,24 +448,14 @@ old value common ca Valor anterior
|
||||
oman common ca OMAN
|
||||
on *nix systems please type: %1 common ca En sistemes *nix escriviu: %1
|
||||
on mouse over common ca En moure el ratolí per sobre
|
||||
only files with extensions are permited, e.g. "imagefile.jpg". tinymce ca Només se permeten fitxers amb extensions, p.ex. "fitxerimatge.jpg"
|
||||
only private common ca només privat
|
||||
only yours common ca només els vostres
|
||||
open file in new window tinymce ca Obre fitxer en una finestra nova
|
||||
open in new window tinymce ca Obre en una nova finestra
|
||||
open in parent window / frame tinymce ca Obre a la finestra/marc pare
|
||||
open in the window tinymce ca Obre a la finestra
|
||||
open in this window / frame tinymce ca Obre en aquesta finestra/marc
|
||||
open in top frame (replaces all frames) tinymce ca Obre a la finestra superior (reemplaça tots els marcs)
|
||||
open link in a new window tinymce ca Obre enllaç a una finestra nova
|
||||
open link in the same window tinymce ca Obre enllaç a la mateixa finestra
|
||||
open notify window common ca Obrir finestra de notificació
|
||||
open popup window common ca Obrir finestra emergent
|
||||
open sidebox common ca Obre el menú del costat
|
||||
ordered list common ca Llista ordenada
|
||||
original common ca Original
|
||||
other common ca Altres
|
||||
outdent tinymce ca Outdent
|
||||
overview common ca Resum
|
||||
owner common ca Propietari
|
||||
page common ca Pàgina
|
||||
@ -571,11 +471,6 @@ parent category common ca Categoria superior
|
||||
password common ca Contrasenya
|
||||
password could not be changed common ca No s'ha pogut canviar la contrasenya
|
||||
password has been updated common ca Contrasenya actualitzada
|
||||
paste as plain text tinymce ca Enganxa com a Text Plà
|
||||
paste from word tinymce ca Enganxa de Word
|
||||
paste table row after tinymce ca Enganxa fila de taula darrera de
|
||||
paste table row before tinymce ca Enganxa fila de taula abans de
|
||||
path not found. tinymce ca Camí no trobat.
|
||||
path to user and group files has to be outside of the webservers document-root!!! common ca El camí als arxius d'usuari i grups HA D'ESTAR FORA del directori arrel de documents dels servidors web!!
|
||||
pattern for search in addressbook common ca Patró de recerca a la Llibreta d'adreces
|
||||
pattern for search in calendar common ca Patró de recerca al Calendari
|
||||
@ -589,17 +484,13 @@ phpgwapi common ca API eGroupware
|
||||
pitcairn common ca PITCAIRN
|
||||
please %1 by hand common ca Si us plau, %1 manualment
|
||||
please enter a name common ca Si us plau, introduïu un nom !
|
||||
please enter the caption text tinymce ca Per favor, introdueix el contingut del text
|
||||
please insert a name for the target or choose another option. tinymce ca Per favor, insereix un nom destí o tria una altra opció.
|
||||
please run setup to become current common ca Si us plau, executeu la instal·lació per posar-vos al dia
|
||||
please select common ca Si us plau, Trieu
|
||||
please set your global preferences common ca Si us plau, establiu les vostres preferències globals !
|
||||
please set your preferences for this application common ca Si us plau, establiu les vostres preferències per aquesta aplicació
|
||||
please wait... common ca Si us plau, espereu...
|
||||
poland common ca POLÒNIA
|
||||
popup url tinymce ca Popup URL
|
||||
portugal common ca PORTUGAL
|
||||
position (x/y) tinymce ca Posició (X/Y)
|
||||
postal common ca Postal
|
||||
powered by egroupware version %1 common ca Versió %1
|
||||
powered by phpgroupware version %1 common ca <a href="http://www.egroupware.org">eGroupWare</a> versió %1
|
||||
@ -607,7 +498,6 @@ preferences common ca Prefer
|
||||
preferences for the idots template set common ca Preferències per al joc de plantilles "idot"
|
||||
prev. month (hold for menu) jscalendar ca Mes anterior (mantenir clicat per menú)
|
||||
prev. year (hold for menu) jscalendar ca Any anterior (mantenir clicat per menú)
|
||||
preview tinymce ca Visualització prèvia
|
||||
previous page common ca Plana anterior
|
||||
primary style-sheet: common ca Full d'estils primari:
|
||||
print common ca Imprimir
|
||||
@ -621,26 +511,18 @@ qatar common ca QATAR
|
||||
read common ca Llegir
|
||||
read this list of methods. common ca Llegir aquesta llista de mètodes
|
||||
reading common ca llegint
|
||||
redo tinymce ca Refer
|
||||
refresh tinymce ca Refrescar
|
||||
reject common ca Rebutjar
|
||||
remove col tinymce ca Esborra col
|
||||
remove selected accounts common ca esborra els comptes seleccionats
|
||||
remove shortcut common ca Esborra tecles ràpides
|
||||
rename common ca Reanomena
|
||||
rename failed tinymce ca Reanomenament fallat
|
||||
replace common ca Reemplaça
|
||||
replace with common ca Reemplaça per
|
||||
replace all tinymce ca Reemplaça-ho tot
|
||||
returns a full list of accounts on the system. warning: this is return can be quite large common ca Torna una llista completa dels comptes del sistema. Atenció: pot ser molt llarg
|
||||
returns an array of todo items common ca Torna una matriu de tasques pendents
|
||||
returns struct of users application access common ca Torna una estructura de l'accés dels usuaris a l'aplicació
|
||||
reunion common ca REUNION
|
||||
right common ca Dreta
|
||||
rmdir failed. tinymce ca Rmdir fallat.
|
||||
romania common ca ROMANIA
|
||||
rows tinymce ca Files
|
||||
run spell checking tinymce ca Executa corrector lèxic
|
||||
russian federation common ca FEDERACIÓ RUSSA
|
||||
rwanda common ca RUANDA
|
||||
saint helena common ca SANTA HELENA
|
||||
@ -662,7 +544,6 @@ search or select multiple accounts common ca cerca o selecciona m
|
||||
second common ca segon
|
||||
section common ca Secció
|
||||
select common ca Triar
|
||||
select all tinymce ca Selecciona-ho tot
|
||||
select all %1 %2 for %3 common ca Triar tots els %1 %2 per %3
|
||||
select category common ca Triar categoria
|
||||
select date common ca Triar data
|
||||
@ -691,23 +572,17 @@ show all common ca mostrar tot
|
||||
show all categorys common ca Mostrar totes les categories
|
||||
show clock? common ca Mostra rellotge?
|
||||
show home and logout button in main application bar? common ca Mostra els botons d'Inici i Sortir a la barra principal d'aplicacions?
|
||||
show locationbar tinymce ca Mostra la barra de direccions
|
||||
show logo's on the desktop. common ca Mostra el logo a l'escriptori
|
||||
show menu common ca mostrar menu
|
||||
show menubar tinymce ca Mostra barra de menús
|
||||
show page generation time common ca Mostrar temps de generació de la plana
|
||||
show page generation time on the bottom of the page? common ca Mostrar el temps de generació de la plana a la part inferior?
|
||||
show page generation time? common ca Mostra el temps de generació de la pàgina?
|
||||
show scrollbars tinymce ca Mostra barres desplaçants
|
||||
show statusbar tinymce ca Mostra barra d'estat
|
||||
show the logo's of egroupware and x-desktop on the desktop. common ca Mostra el logo d'eGroupware i x-desktop a l'escriptori.
|
||||
show toolbars tinymce ca Mostra barra d'eines
|
||||
show_more_apps common ca mostrar més aplicacions
|
||||
showing %1 common ca mostrant %1
|
||||
showing %1 - %2 of %3 common ca mostrant %1 - %2 de %3
|
||||
sierra leone common ca SIERRA LEONA
|
||||
singapore common ca SINGAPUR
|
||||
size tinymce ca Mida
|
||||
slovakia common ca ESLOVÀQUIA
|
||||
slovenia common ca ESLOVÈNIA
|
||||
solomon islands common ca ILLES SALOMÓ
|
||||
@ -716,7 +591,6 @@ sorry, your login has expired login ca La seva sessi
|
||||
south africa common ca SUDÀFRICA
|
||||
south georgia and the south sandwich islands common ca ILLES GEORGIA I SANDWICH MERIDIONALS
|
||||
spain common ca ESPANYA
|
||||
split table cells tinymce ca Divideix cel·les de taula
|
||||
sri lanka common ca SRI LANKA
|
||||
start date common ca Data d'inici
|
||||
start time common ca Hora d'inici
|
||||
@ -724,7 +598,6 @@ start with common ca comen
|
||||
starting up... common ca Iniciant...
|
||||
status common ca Estat
|
||||
stretched common ca estirat
|
||||
striketrough tinymce ca Tatxat
|
||||
subject common ca Assumpte
|
||||
submit common ca Enviar
|
||||
substitutions and their meanings: common ca Substitucions i els seus significats
|
||||
@ -736,24 +609,18 @@ swaziland common ca SWAZILANDIA
|
||||
sweden common ca SUÈCIA
|
||||
switzerland common ca SUISSA
|
||||
syrian arab republic common ca SIRIA, REPÚBLICA ÀRAB DE
|
||||
table cell properties tinymce ca Propietats de cel·la de taula
|
||||
table properties common ca Propietats de la taula
|
||||
table row properties tinymce ca Propietats de fila de taula
|
||||
taiwan common ca TAIWAN/TAIPEI
|
||||
tajikistan common ca TAJIKISTAN
|
||||
tanzania, united republic of common ca TANZANIA, REPÚBLICA UNIDA DE
|
||||
target tinymce ca Destí
|
||||
text color: common ca Color del text:
|
||||
thailand common ca TAILÀNDIA
|
||||
the api is current common ca La API esta al dia
|
||||
the api requires an upgrade common ca La API necessita actualització
|
||||
the following applications require upgrades common ca Les següents aplicacions necessiten actualització
|
||||
the mail server returned common ca El servidor de correu ha tornat
|
||||
the search has been compleated. the search string could not be found. tinymce ca La cerca ha acabat. La cadena cercada no s'ha trobat.
|
||||
this application is current common ca Aquesta aplicació està al dia
|
||||
this application requires an upgrade common ca Aquesta aplicació necessita actualitzar-se
|
||||
this is just a template button tinymce ca Això només és un botó plantilla
|
||||
this is just a template popup tinymce ca Això només és un popup plantilla
|
||||
this name has been used already common ca Aquest nom ja és en ús !
|
||||
thursday common ca Dijous
|
||||
tiled common ca apilat
|
||||
@ -768,7 +635,6 @@ to go back to the msg list, click <a href= %1 >here</a> common ca Per tornar a l
|
||||
today common ca Avui
|
||||
todays date, eg. "%1" common ca data d'avui, ex. "%1"
|
||||
toggle first day of week jscalendar ca Canviar el primer dia de la setmana
|
||||
toggle fullscreen mode tinymce ca Canviar a mode pantalla completa
|
||||
togo common ca TOGO
|
||||
tokelau common ca TOKELAU
|
||||
tonga common ca TONGA
|
||||
@ -788,29 +654,21 @@ uganda common ca UGANDA
|
||||
ukraine common ca UCRAÏNA
|
||||
underline common ca Subratllat
|
||||
underline.gif common ca subratllat.gif
|
||||
undo tinymce ca Desfer
|
||||
united arab emirates common ca EMIRATS ÀRABS UNITS
|
||||
united kingdom common ca REGNE UNIT
|
||||
united states common ca ESTATS UNITS
|
||||
united states minor outlying islands common ca ILLES MENORS OUTLYING DELS ESTATS UNITS
|
||||
unknown common ca Desconegut
|
||||
unlink tinymce ca Desvincular
|
||||
unlink failed. tinymce ca Desvincle fallat
|
||||
unordered list tinymce ca Llista desordenada
|
||||
up tinymce ca Amunt
|
||||
update common ca Actualitzar
|
||||
update the clock per minute or per second common ca Actualitza el rellotge per minuts o per segons
|
||||
upload common ca Carrega
|
||||
upload directory does not exist, or is not writeable by webserver common ca El directori de càrrega no existeix o no és modificable pel webserver
|
||||
uploading... tinymce ca Carregant...
|
||||
url common ca URL
|
||||
uruguay common ca URUGUAI
|
||||
use button to search for common ca useu el Botó per cercar per
|
||||
use button to search for address common ca useu el Botó per cercar per adreça
|
||||
use button to search for calendarevent common ca useu el Botó per cercar per entrada de calendari
|
||||
use button to search for project common ca useu el Botó per cercar per projecte
|
||||
use ctrl and/or shift to select multiple items. tinymce ca Usa Ctrl i/o Shift per seleccionar múltiples articles
|
||||
use ctrl+v on your keyboard to paste the text into the window. tinymce ca Usa CTRL+V al teu teclat per enganxar el text a la finestra.
|
||||
user common ca Usuari
|
||||
user accounts common ca Comptes d'usuari
|
||||
user groups common ca Grups d'usuari
|
||||
@ -822,13 +680,11 @@ uzbekistan common ca UZBEKISTAN
|
||||
vanuatu common ca VANUATU
|
||||
venezuela common ca VENEÇUELA
|
||||
version common ca Versió
|
||||
vertical alignment tinymce ca Alineació vertical
|
||||
viet nam common ca VIETNAM
|
||||
view common ca Veure
|
||||
virgin islands, british common ca ILLES VERGES BRITÀNIQUES
|
||||
virgin islands, u.s. common ca ILLES VERGES, U.S.
|
||||
wallis and futuna common ca WALLIS i FUTUNA
|
||||
warning!\n renaming or moving folders and files will break existing links in your documents. continue? tinymce ca Atenció!\n Reanomenar o moure carpetes romprà enllaços existents en els teus documents. Continuar?
|
||||
wednesday common ca Dimecres
|
||||
welcome common ca Benvingut
|
||||
western sahara common ca SAHARA OCCIDENTAL
|
||||
@ -837,7 +693,6 @@ what style would you like the image to have? common ca Quin estil vols que tengu
|
||||
when you say yes the home and logout buttons are presented as applications in the main top applcation bar. common ca Si dius que sí, els botons d'Inici i Sortir se presenten com a aplicacions a la barra principal d'aplicacions.
|
||||
which groups common ca Quins grups
|
||||
width common ca Amplada
|
||||
window name tinymce ca Nom de la finestra
|
||||
wk jscalendar ca st
|
||||
work email common ca correu del treball
|
||||
would you like to display the page generation time at the bottom of every window? common ca T'agradaria veure el temps de generació de la pàgina al peu de cada finestra?
|
||||
@ -855,7 +710,6 @@ you have not entered participants common ca No heu entrat participants
|
||||
you have selected an invalid date common ca Heu triat una data incorrecta !
|
||||
you have selected an invalid main category common ca Heu triat una categoria principal incorrecta !
|
||||
you have successfully logged out common ca Desconnexió correcta
|
||||
you must enter the url tinymce ca Has d'introduir la URL
|
||||
you need to add the webserver user '%1' to the group '%2'. common ca Necessiteu afegir l'usuari '%1' del servidor web al grup '%2'.
|
||||
your message could <b>not</b> be sent!<br> common ca El missatge <b>no</b> s'ha pogut enviar!<br>
|
||||
your message has been sent common ca Missatge enviat
|
||||
|
@ -547,138 +547,3 @@ your settings have been updated common cs Va
|
||||
yugoslavia common cs Jugoslávie
|
||||
zambia common cs Zambie
|
||||
zimbabwe common cs Zimbabwe
|
||||
bold tinymce cs Tuènì
|
||||
italic tinymce cs Kurzíva
|
||||
underline tinymce cs Podtržení
|
||||
striketrough tinymce cs Pøeškrtnutí
|
||||
align left tinymce cs Zarovnání vlevo
|
||||
align center tinymce cs Zarovnání na støed
|
||||
align right tinymce cs Zarovnání vpravo
|
||||
align full tinymce cs Zarovnání do bloku
|
||||
unordered list tinymce cs Seznam s odrážkami
|
||||
ordered list tinymce cs Èíslovaný seznam
|
||||
outdent tinymce cs Snížit odsazení
|
||||
indent tinymce cs Zvýšit odsazení
|
||||
undo tinymce cs Zpìt
|
||||
redo tinymce cs Znovu
|
||||
insert/edit link tinymce cs Vložit odkaz
|
||||
unlink tinymce cs Zrušit odkaz
|
||||
insert/edit image tinymce cs Vložit obrázek
|
||||
cleanup messy code tinymce cs Vyèistit kód
|
||||
a editor instance must be focused before using this command. tinymce cs Pøed použitím tohoto pøíkazu musí být kurzor v oknì editoru.
|
||||
do you want to use the wysiwyg mode for this textarea? tinymce cs Chcete použít WYSIWYG editaci pro tento text?
|
||||
insert/edit link tinymce cs Vložit/upravit odkaz
|
||||
insert tinymce cs Vložit
|
||||
update tinymce cs Zmìnit
|
||||
cancel tinymce cs Zrušit
|
||||
link url tinymce cs URL odkazu
|
||||
target tinymce cs Cíl
|
||||
open link in the same window tinymce cs Otevøít odkaz ve stejném oknì
|
||||
open link in a new window tinymce cs Otevøít odkaz v novém oknì
|
||||
insert/edit image tinymce cs Vložit/upravit obrázek
|
||||
image url tinymce cs URL obrázku
|
||||
image description tinymce cs Popis obrázku
|
||||
help tinymce cs Nápovìda
|
||||
copy/cut/paste is not available in mozilla and firefox.\ndo you want more information about this issue? tinymce cs Copy/Cut/Paste není použitelné v Mozille a Firefoxu.\nChcete více informací o tomto problému?
|
||||
bold tinymce cs Tuènì
|
||||
italic tinymce cs Kurzíva
|
||||
underline tinymce cs Podtržení
|
||||
striketrough tinymce cs Pøeškrtnutí
|
||||
align left tinymce cs Zarovnání vlevo
|
||||
align center tinymce cs Zarovnání na støed
|
||||
align right tinymce cs Zarovnání vpravo
|
||||
align full tinymce cs Zarovnání do bloku
|
||||
unordered list tinymce cs Seznam s odrážkami
|
||||
ordered list tinymce cs Èíslovaný seznam
|
||||
outdent tinymce cs Snížit odsazení
|
||||
indent tinymce cs Zvýšit odsazení
|
||||
undo tinymce cs Zpìt
|
||||
redo tinymce cs Znovu
|
||||
insert/edit link tinymce cs Vložit odkaz
|
||||
unlink tinymce cs Zrušit odkaz
|
||||
insert/edit image tinymce cs Vložit obrázek
|
||||
cleanup messy code tinymce cs Vyèistit kód
|
||||
a editor instance must be focused before using this command. tinymce cs Pøed použitím tohoto pøíkazu musí být kurzor v oknì editoru.
|
||||
do you want to use the wysiwyg mode for this textarea? tinymce cs Chcete použít WYSIWYG editaci pro tento text?
|
||||
insert/edit link tinymce cs Vložit/upravit odkaz
|
||||
insert tinymce cs Vložit
|
||||
update tinymce cs Zmìnit
|
||||
cancel tinymce cs Zrušit
|
||||
link url tinymce cs URL odkazu
|
||||
target tinymce cs Cíl
|
||||
open link in the same window tinymce cs Otevøít odkaz ve stejném oknì
|
||||
open link in a new window tinymce cs Otevøít odkaz v novém oknì
|
||||
insert/edit image tinymce cs Vložit/upravit obrázek
|
||||
image url tinymce cs URL obrázku
|
||||
image description tinymce cs Popis obrázku
|
||||
help tinymce cs Nápovìda
|
||||
copy/cut/paste is not available in mozilla and firefox.\ndo you want more information about this issue? tinymce cs Copy/Cut/Paste není použitelné v Mozille a Firefoxu.\nChcete více informací o tomto problému?
|
||||
no shadow tinymce cs Nestínovat
|
||||
image title tinymce cs Název obrázku
|
||||
for mouse over tinymce cs pøi najetí myši
|
||||
for mouse out tinymce cs pøi odjetí myši
|
||||
open in this window / frame tinymce cs Otevøít ve stejném oknì/rámu
|
||||
open in parent window / frame tinymce cs Otevøít v rodièovském oknì/rámu
|
||||
open in top frame (replaces all frames) tinymce cs Otevøít v nejvyšším rámu (pøepíše všechny rámy)
|
||||
open in new window tinymce cs Otevøít v novém oknì
|
||||
open in the window tinymce cs Otevøít v oknì
|
||||
js-popup tinymce cs JS-Popup
|
||||
popup url tinymce cs Popup URL
|
||||
window name tinymce cs Název okna
|
||||
show scrollbars tinymce cs Ukázat posuvníky
|
||||
show statusbar tinymce cs Ukázat stavový øádek
|
||||
show toolbars tinymce cs Ukázat ovl. lištu
|
||||
show menubar tinymce cs Ukázat menu
|
||||
show locationbar tinymce cs Ukázat lištu umístìní
|
||||
make window resizable tinymce cs Promìnná velikost okna
|
||||
size tinymce cs Velikost
|
||||
position (x/y) tinymce cs Umístìní (X/Y)
|
||||
please insert a name for the target or choose another option. tinymce cs Vložte název cíle nebo vyberte jinou volbu.
|
||||
insert emotion tinymce cs Vložit emotikon
|
||||
emotions tinymce cs Emotikony
|
||||
flash-file (.swf) tinymce cs Flash soubor (.swf)
|
||||
size tinymce cs Velikost
|
||||
flash properties tinymce cs Flash properties
|
||||
run spell checking tinymce cs Spustit kontrolu pravopisu
|
||||
insert date tinymce cs Vložit datum
|
||||
insert time tinymce cs Vložit èas
|
||||
preview tinymce cs Náhled
|
||||
save tinymce cs Uložit
|
||||
inserts a new table tinymce cs Vložit novou tabulku
|
||||
insert row before tinymce cs Vložit øádek pøed
|
||||
insert row after tinymce cs Vložit øádek po
|
||||
delete row tinymce cs Smazat øádek
|
||||
insert column before tinymce cs Vložit sloupec pøed
|
||||
insert column after tinymce cs Vložit sloupec po
|
||||
remove col tinymce cs Odstranit sloupec
|
||||
insert/modify table tinymce cs Vložit/upravit tabulku
|
||||
width tinymce cs Šíøka
|
||||
height tinymce cs Výška
|
||||
columns tinymce cs Sloupce
|
||||
rows tinymce cs Øádky
|
||||
cellspacing tinymce cs Vnìjší okraj bunìk
|
||||
cellpadding tinymce cs Vnitøní okraj bunìk
|
||||
border tinymce cs Rámeèek
|
||||
alignment tinymce cs Zarovnání
|
||||
default tinymce cs Výchozí
|
||||
left tinymce cs Vlevo
|
||||
right tinymce cs Vpravo
|
||||
center tinymce cs Na støed
|
||||
class tinymce cs Class
|
||||
table row properties tinymce cs Table row properties
|
||||
table cell properties tinymce cs Table cell properties
|
||||
table row properties tinymce cs Table row properties
|
||||
table cell properties tinymce cs Table cell properties
|
||||
vertical alignment tinymce cs Vertical alignment
|
||||
top tinymce cs Top
|
||||
bottom tinymce cs Bottom
|
||||
table properties tinymce cs Table properties
|
||||
border color tinymce cs Border color
|
||||
bg color tinymce cs Bg color
|
||||
merge table cells tinymce cs Merge table cells
|
||||
split table cells tinymce cs Split table cells
|
||||
merge table cells tinymce cs Merge table cells
|
||||
cut table row tinymce cs Cut table row
|
||||
copy table row tinymce cs Copy table row
|
||||
paste table row before tinymce cs Paste table row before
|
||||
paste table row after tinymce cs Paste table row after
|
||||
|
@ -16,7 +16,6 @@
|
||||
3 number of chars for day-shortcut jscalendar da 3 antal tegn for dag-forkortelse
|
||||
3 number of chars for month-shortcut jscalendar da 3 antal tegn for måneds-forkortelse
|
||||
80 (http) admin da 80 (http)
|
||||
a editor instance must be focused before using this command. tinymce da Der skal sættes fokus på sessionen, før man kan bruge denne kommando
|
||||
about common da Om
|
||||
about %1 common da Om %1
|
||||
about egroupware common da Om eGroupWare
|
||||
@ -41,17 +40,10 @@ administration common da Administration
|
||||
afghanistan common da Afghanistan
|
||||
albania common da Albanien
|
||||
algeria common da Algeriet
|
||||
align center tinymce da Centrer
|
||||
align full tinymce da Lige margin
|
||||
align left tinymce da Venstrestil
|
||||
align right tinymce da Højrestil
|
||||
alignment tinymce da Justering
|
||||
all common da Alle
|
||||
all fields common da alle felter
|
||||
all occurrences of the search string was replaced. tinymce da Alle forekomster af søge strengen er ændrede.
|
||||
alphabet common da a,b,c,d,e,f,g,h,i,j,k,l,m,n,o,p,q,r,s,t,u,w,x,y,z
|
||||
alternate style-sheet: common da Alternativt style-sheet
|
||||
alternative image tinymce da Alternativt image
|
||||
american samoa common da Amerikansk Samoa
|
||||
andorra common da Andorra
|
||||
angola common da Angola
|
||||
@ -89,13 +81,11 @@ belgium common da Belgien
|
||||
belize common da Belize
|
||||
benin common da Benin
|
||||
bermuda common da Bermuda
|
||||
bg color tinymce da Bg color
|
||||
bhutan common da Bhutan
|
||||
blocked, too many attempts common da Afvist, for mange forsøg
|
||||
bold common da Fed
|
||||
bolivia common da Bolivia
|
||||
border common da Kant
|
||||
border color tinymce da Border color
|
||||
bosnia and herzegovina common da Bosnien og Herzegovina
|
||||
botswana common da Botswana
|
||||
bottom common da Bottom
|
||||
@ -121,9 +111,6 @@ category %1 has been added ! common da Kategorien %1 er blevet tilf
|
||||
category %1 has been updated ! common da Kategorien %1 er blevet opdateret!
|
||||
cayman islands common da Cayman Øerne
|
||||
cc common da CC
|
||||
cellpadding tinymce da Cellemargen
|
||||
cellspacing tinymce da Afstand mellem celler
|
||||
center tinymce da Midt i
|
||||
centered common da Centreret
|
||||
central african republic common da Centralafrikanske Republik
|
||||
chad common da Chad
|
||||
@ -138,12 +125,9 @@ choose a background color for the icons common da V
|
||||
choose a background image. common da Vælg et baggrundsbillede.
|
||||
choose a background style. common da Vælg en baggrundsstil.
|
||||
choose a text color for the icons common da Vælg ikonernes tekstfarve
|
||||
choose directory to move selected folders and files to. tinymce da Vælg folder hvortil de valgte foldere og filer skal flyttes.
|
||||
choose the category common da Vælg kategorien
|
||||
choose the parent category common da Vælg ovenstående kategori
|
||||
christmas island common da Juleøen
|
||||
class tinymce da Klasse
|
||||
cleanup messy code tinymce da Ryd op i koden
|
||||
clear common da Slet
|
||||
clear form common da Slet formular
|
||||
click common da Klik
|
||||
@ -152,20 +136,14 @@ click or mouse over to show menus? common da Klik eller f
|
||||
close common da Luk
|
||||
cocos (keeling) islands common da Cocos (Keeling) øerne
|
||||
colombia common da Columbia
|
||||
columns tinymce da Kolonner
|
||||
comment tinymce da Kommentar
|
||||
common preferences common da Fælles præferencer
|
||||
comoros common da Comoros
|
||||
company common da Firma
|
||||
configuration problem tinymce da Konfigurations problem
|
||||
congo common da Congo
|
||||
congo, the democratic republic of the common da Congo, Den Demokratiske Republik
|
||||
contacting server... common da Kontakter server...
|
||||
cook islands common da Cook øerne
|
||||
copy common da Kopiér
|
||||
copy table row tinymce da Copy table row
|
||||
copy/cut/paste is not available in mozilla and firefox.\ndo you want more information about this issue? tinymce da Copy/Cut/Paste is not available in Mozilla and Firefox.\nDo you want more information about this issue?
|
||||
copy/cut/paste is not available in mozilla and firefox.ndo you want more information about this issue? tinymce da Copy/Cut/Paste is not available in Mozilla and Firefox.\nDo you want more information about this issue?
|
||||
costa rica common da Costa Rica
|
||||
cote d ivoire common da Elfenbenskysten
|
||||
could not contact server. operation timed out! common da Kan ikke kontakte server. Operationen fik time-out!
|
||||
@ -176,16 +154,13 @@ cuba common da Cuba
|
||||
currency common da Valutaenhed
|
||||
current common da Nuværende
|
||||
current users common da Nuværende antal brugere
|
||||
cut table row tinymce da Cut table row
|
||||
cyprus common da Cupern
|
||||
czech republic common da Tjekkiet
|
||||
date common da Dato
|
||||
date due common da Skal være færdig
|
||||
date modified tinymce da Dato ændret
|
||||
date selection: jscalendar da Dato valg:
|
||||
datetime port.<br>if using port 13, please set firewall rules appropriately before submitting this page.<br>(port: 13 / host: 129.6.15.28) admin da Daytime port.<br>Hvis port 13 bruges, åben venligst din firewall før denne side gemmes.<br>(Port: 13 / Host: 129.6.15.28)
|
||||
december common da December
|
||||
default tinymce da Standard
|
||||
default category common da Standard Kategori
|
||||
default height for the windows common da Standard højde for vinduer
|
||||
default width for the windows common da Standard bredde for vinduer
|
||||
@ -196,10 +171,7 @@ description common da Beskrivelse
|
||||
detail common da Detalje
|
||||
details common da Detaljer
|
||||
diable the execution a bugfixscript for internet explorer 5.5 and higher to show transparency in png-images? common da Deaktivere udførelsen af bugfixscripts for Internet Explorer 5.5 og nyere, for visning af gennemsigtige PNG-billeder?
|
||||
direction tinymce da Retning
|
||||
direction left to right common da Retning venstre til højre
|
||||
direction right to left tinymce da Retning højre til venstre
|
||||
directory tinymce da Folder
|
||||
disable internet explorer png-image-bugfix common da Deaktiver Internet Explorer PNG-image-bugfix?
|
||||
disable slider effects common da Deaktiver glide-effekter?
|
||||
disable the animated slider effects when showing or hiding menus in the page? opera and konqueror users will probably must want this. common da Deaktiver den animerede effekt når sidenmenuen gemmes og vises på siden? Opera og Konqueror brugere vil sandsynligvis vælge ja her.
|
||||
@ -208,7 +180,6 @@ disabled common da Sl
|
||||
display %s first jscalendar da Vis %s først
|
||||
djibouti common da Djibouti
|
||||
do you also want to delete all subcategories ? common da Ønsker du at slette alle underkategorierne?
|
||||
do you want to use the wysiwyg mode for this textarea? tinymce da Vil du bruge WYSIWYG mode til dette textområde?
|
||||
doctype: common da Dokument type:
|
||||
document properties common da Dokument egenskaber
|
||||
document title: common da Dokument titel:
|
||||
@ -218,7 +189,6 @@ domestic common da Indenrigs
|
||||
dominica common da Dominica
|
||||
dominican republic common da Dominikanske Republik
|
||||
done common da Udført
|
||||
down tinymce da Nedad
|
||||
drag to move jscalendar da Træk for at flytte
|
||||
e-mail common da E-mail
|
||||
east timor common da Øst Timor
|
||||
@ -255,10 +225,6 @@ fax number common da Fax nummer
|
||||
february common da Februar
|
||||
fields common da Felter
|
||||
fiji common da Fiji
|
||||
file already exists. file was not uploaded. tinymce da Filen eksisterer allerede. Filen blev ikke uploaded.
|
||||
file exceeds the size limit tinymce da Filen fylder for meget
|
||||
file not found. tinymce da Kan ikke finde filen.
|
||||
file was not uploaded. tinymce da Filen blev ikke uploaded.
|
||||
files common da Filer
|
||||
filter common da Filter
|
||||
finland common da Finland
|
||||
@ -319,21 +285,14 @@ hong kong common da Hong Kong
|
||||
how many icons should be shown in the navbar (top of the page). additional icons go into a kind of pulldown menu, callable by the icon on the far right side of the navbar. common da Hvor mange ikoner skal der vises i navigations bjælken (øverst på siden). Evt. overskydende ikoner vil være tilgængelig i en slags pulldown menu, ved at trykke på ikonet helt til højre i navigations bjælken.
|
||||
hungary common da Ungarn
|
||||
iceland common da Island
|
||||
image description tinymce da Alternativ tekst
|
||||
image url common da Billedets adresse
|
||||
indent tinymce da Ryk til højre
|
||||
india common da Indien
|
||||
indonesia common da Indonesien
|
||||
insert tinymce da Indsæt
|
||||
insert all %1 addresses of the %2 contacts in %3 common da Indsæt alle %1 adresserne fra %2 kontakterne i %3
|
||||
insert column after common da Indslt kolonne efter
|
||||
insert column before common da Indsæt kolonne foran
|
||||
insert row after common da Indsæt række efter
|
||||
insert row before common da Indsæt række foran
|
||||
insert/edit image tinymce da Indsæt / rediger billede
|
||||
insert/edit link tinymce da Indsæt eller rediger link
|
||||
insert/modify table tinymce da Indsæt/rediger tabel
|
||||
inserts a new table tinymce da Indsætter en ny tabel
|
||||
international common da International
|
||||
invalid ip address common da Ugyldig IP
|
||||
invalid password common da Ugyldig adgangskode
|
||||
@ -373,7 +332,6 @@ liberia common da Liberia
|
||||
libyan arab jamahiriya common da Libyen
|
||||
license common da Licens
|
||||
liechtenstein common da Liechenstein
|
||||
link url tinymce da Linkadresse
|
||||
list common da Liste
|
||||
lithuania common da Lithuania
|
||||
local common da Lokal
|
||||
@ -405,7 +363,6 @@ may common da Maj
|
||||
mayotte common da Mayotte
|
||||
medium common da Medium
|
||||
menu common da Menu
|
||||
merge table cells tinymce da Merge table cells
|
||||
message common da Besked
|
||||
mexico common da Mexico
|
||||
micronesia, federated states of common da Mikronesien, Den Føderale Stat
|
||||
@ -460,14 +417,11 @@ on *nix systems please type: %1 common da P
|
||||
on mouse over common da Ved mus over
|
||||
only private common da kun private
|
||||
only yours common da Kun Din
|
||||
open link in a new window tinymce da Luk linket op i et nyt vindue
|
||||
open link in the same window tinymce da Luk linket op i samme vindue
|
||||
open notify window common da Åben Notificer Vindue
|
||||
open popup window common da åben popup vindue
|
||||
ordered list common da Nummerliste
|
||||
original common da Original
|
||||
other common da Anden
|
||||
outdent tinymce da Ryk til venstre
|
||||
overview common da Oversigt
|
||||
owner common da Ejer
|
||||
page was generated in %1 seconds common da Siden var genereret på %1 sekunder
|
||||
@ -482,8 +436,6 @@ parent category common da Ovenst
|
||||
password common da Adgangskode
|
||||
password could not be changed common da Adgangskoden kunne ikke ændres
|
||||
password has been updated common da Password er opdateret
|
||||
paste table row after tinymce da Paste table row after
|
||||
paste table row before tinymce da Paste table row before
|
||||
path to user and group files has to be outside of the webservers document-root!!! common da Sti til bruger og gruppe filer SKAL VÆRE UDEN FOR webserverens dokument-rod!!!
|
||||
pattern for search in addressbook common da Mønster for søg i Adressebog
|
||||
pattern for search in calendar common da Mønster for søg i Kalender
|
||||
@ -519,9 +471,7 @@ puerto rico common da Puerto Rico
|
||||
qatar common da Qatar
|
||||
read common da Læs
|
||||
read this list of methods. common da Læs denne liste over metoder
|
||||
redo tinymce da Gør igen
|
||||
reject common da Afvis
|
||||
remove col tinymce da Fjern kolonne
|
||||
rename common da Omdøb
|
||||
returns a full list of accounts on the system. warning: this is return can be quite large common da Returnere en fuld liste over alle brugere på systemet. Advarsel: Den kan være ret stor
|
||||
returns an array of todo items common da Returnere et array af opgaver
|
||||
@ -529,7 +479,6 @@ returns struct of users application access common da Returnere en struct af brug
|
||||
reunion common da Reunion
|
||||
right common da Højre
|
||||
romania common da Romanien
|
||||
rows tinymce da Rækker
|
||||
russian federation common da Rusland
|
||||
rwanda common da Rwanda
|
||||
saint helena common da Sankt Helena
|
||||
@ -581,12 +530,10 @@ sorry, your login has expired login da Desv
|
||||
south africa common da Syd Afrika
|
||||
south georgia and the south sandwich islands common da Syd Georgien og De Sydlige Sandwich Øer
|
||||
spain common da Spanien
|
||||
split table cells tinymce da Split table cells
|
||||
sri lanka common da Sri Lanka
|
||||
start date common da Startdato
|
||||
start time common da Starttid
|
||||
status common da Status
|
||||
striketrough tinymce da Gennemstreg
|
||||
subject common da Emne
|
||||
submit common da Send
|
||||
sudan common da Sudan
|
||||
@ -597,13 +544,10 @@ swaziland common da Swaziland
|
||||
sweden common da Sverige
|
||||
switzerland common da Schweiz
|
||||
syrian arab republic common da Syrien, Den Arabiske Republik
|
||||
table cell properties tinymce da Table cell properties
|
||||
table properties common da Table properties
|
||||
table row properties tinymce da Table row properties
|
||||
taiwan common da Taiwan/Taipei
|
||||
tajikistan common da Tajikistan
|
||||
tanzania, united republic of common da Tanzania, Den forenede Republik
|
||||
target tinymce da Target
|
||||
thailand common da Thailand
|
||||
the api is current common da APIen er up-to-date
|
||||
the api requires an upgrade common da APIen skal opdateres
|
||||
@ -640,14 +584,11 @@ tuvalu common da Tuvalu
|
||||
uganda common da Uganda
|
||||
ukraine common da Ukraine
|
||||
underline common da Understreg
|
||||
undo tinymce da Fortryd
|
||||
united arab emirates common da Forenede Arabiske Emirater
|
||||
united kingdom common da England
|
||||
united states common da USA
|
||||
united states minor outlying islands common da USA Mindre omkringliggende øer
|
||||
unknown common da Ukendt
|
||||
unlink tinymce da Fjern link
|
||||
unordered list tinymce da Bulletliste
|
||||
update common da Opdater
|
||||
url common da URL
|
||||
uruguay common da Uruguay
|
||||
@ -665,7 +606,6 @@ uzbekistan common da Uzbekistan
|
||||
vanuatu common da Vanuatu
|
||||
venezuela common da Venezuela
|
||||
version common da Version
|
||||
vertical alignment tinymce da Vertical alignment
|
||||
viet nam common da Viet Nam
|
||||
view common da Se
|
||||
virgin islands, british common da Jomfru Øer, De Britiske
|
||||
|
@ -13,7 +13,6 @@
|
||||
3 number of chars for day-shortcut jscalendar de 2
|
||||
3 number of chars for month-shortcut jscalendar de 3
|
||||
80 (http) admin de 80 (http)
|
||||
a editor instance must be focused before using this command. tinymce de Eine Bearbeitungsinstanz muss für diesen Befehl hervorgehoben.
|
||||
about common de Über
|
||||
about %1 common de Über %1
|
||||
about egroupware common de Über eGroupWare
|
||||
@ -37,17 +36,10 @@ administration common de Administration
|
||||
afghanistan common de AFGHANISTAN
|
||||
albania common de ALBANIEN
|
||||
algeria common de ALGERIEN
|
||||
align center tinymce de Zentriert
|
||||
align full tinymce de Blocksatz
|
||||
align left tinymce de Linksbündig
|
||||
align right tinymce de Rechtsbündig
|
||||
alignment tinymce de Ausrichten
|
||||
all common de alle
|
||||
all fields common de alle Felder
|
||||
all occurrences of the search string was replaced. tinymce de Die Suche wurde abgeschlossen. Alle Vorkommen wurden ersetzt.
|
||||
alphabet common de a,ä,b,c,d,e,f,g,h,i,j,k,l,m,n,o,ö,p,q,r,s,t,u,ü,v,w,x,y,z
|
||||
alternate style-sheet: common de Alternatives Stylesheet
|
||||
alternative image tinymce de Alternatives Bild
|
||||
american samoa common de AMERICANISCH SAMOA
|
||||
an existing and by the webserver readable directory enables the image browser and upload. common de Ein existierendes UND vom Webserver lesbares Verzeichnis, schaltet den Bild Browser und Upload ein.
|
||||
andorra common de ANDORRA
|
||||
@ -87,13 +79,11 @@ belgium common de BELGIEN
|
||||
belize common de BELIZE
|
||||
benin common de BENIN
|
||||
bermuda common de BERMUDA
|
||||
bg color tinymce de Hintergrundfarbe
|
||||
bhutan common de BHUTAN
|
||||
blocked, too many attempts common de Gesperrt, zu viele Versuche
|
||||
bold common de Fett
|
||||
bolivia common de BOLIVIEN
|
||||
border common de Rahmen
|
||||
border color tinymce de Rahmenfarbe
|
||||
bosnia and herzegovina common de BOSNIEN UND HERZEGOVINA
|
||||
botswana common de BOTSWANA
|
||||
bottom common de Unten
|
||||
@ -118,9 +108,6 @@ category %1 has been added ! common de Kategorie %1 wurde hinzugef
|
||||
category %1 has been updated ! common de Kategorie %1 wurde überarbeitet !
|
||||
cayman islands common de KAIMAN INSELN
|
||||
cc common de Kopie
|
||||
cellpadding tinymce de Innenabstand
|
||||
cellspacing tinymce de Außenabstand
|
||||
center tinymce de Zentriert
|
||||
central african republic common de ZENTRAL AFRIKANISCHE REPUBLIK
|
||||
chad common de TSCHAD
|
||||
change common de ändern
|
||||
@ -129,12 +116,9 @@ check installation common de Installation
|
||||
check now common de jetzt überprüfen
|
||||
chile common de CHILE
|
||||
china common de CHINA
|
||||
choose directory to move selected folders and files to. tinymce de Verzeichnis auswählen um die ausgewählten Verzeichnisse und Dateien dahin zu verschieben.
|
||||
choose the category common de Kategorie auswählen
|
||||
choose the parent category common de Wählen der übergeordneten Kategorie
|
||||
christmas island common de WEIHNACHTS INSEL
|
||||
class tinymce de Klasse
|
||||
cleanup messy code tinymce de unsauberen Code aufräumen
|
||||
clear common de Zurücksetzen
|
||||
clear form common de Eingaben löschen
|
||||
click common de Klicken
|
||||
@ -143,19 +127,13 @@ click or mouse over to show menus? common de Klicken oder "mit dem Mauszeiger da
|
||||
close common de Schließen
|
||||
cocos (keeling) islands common de COCOS INSELN
|
||||
colombia common de KOLUMBIEN
|
||||
columns tinymce de Spalten
|
||||
comment tinymce de Kommentar
|
||||
common preferences common de Allgemeine Einstellungen
|
||||
comoros common de KOMOREN
|
||||
company common de Unternehmen
|
||||
configuration problem tinymce de Konfigurationsproblem
|
||||
congo common de KONGO
|
||||
congo, the democratic republic of the common de KONGO, DIE DEMOKRATISCHE REPUBLIK DES
|
||||
cook islands common de COOK INSELN
|
||||
copy common de Kopieren
|
||||
copy table row tinymce de Copy table row
|
||||
copy/cut/paste is not available in mozilla and firefox.\ndo you want more information about this issue? tinymce de Kopieren/Ausschneiten/Einfügen ist mit Mozilla und Firefox nicht verfügbar.\nWollen Sie mehr Informationen darüber erhalten?
|
||||
copy/cut/paste is not available in mozilla and firefox.ndo you want more information about this issue? tinymce de Kopieren/Ausschneiten/Einfügen ist mit Mozilla und Firefox nicht verfügbar.\nWollen Sie mehr Informationen darüber erhalten?
|
||||
costa rica common de COSTA RICA
|
||||
cote d ivoire common de COTE D IVOIRE
|
||||
create common de Erstellen
|
||||
@ -165,16 +143,13 @@ cuba common de KUBA
|
||||
currency common de Währung
|
||||
current common de derzeit
|
||||
current users common de Derzeit angemeldete Benutzer
|
||||
cut table row tinymce de Cut table row
|
||||
cyprus common de ZYPERN
|
||||
czech republic common de TSCHECHISCHE REPUBLIK
|
||||
date common de Datum
|
||||
date due common de fällig am
|
||||
date modified tinymce de Geändert am
|
||||
date selection: jscalendar de Datum auswählen:
|
||||
datetime port.<br>if using port 13, please set firewall rules appropriately before submitting this page.<br>(port: 13 / host: 129.6.15.28) admin de Datum-Zeit Port.<br>Wenn sie Port 13 benützen, bitte die Regeln der Firewall entsprechend anpassen bevor sie die Seite speichern.<br>(Port: 13 / Host: 129.6.15.28)
|
||||
december common de Dezember
|
||||
default tinymce de Normal
|
||||
default category common de Standard-Kategorie
|
||||
delete common de Löschen
|
||||
delete row common de Zeile löschen
|
||||
@ -183,9 +158,6 @@ description common de Beschreibung
|
||||
detail common de Detail
|
||||
details common de Details
|
||||
diable the execution a bugfixscript for internet explorer 5.5 and higher to show transparency in png-images? common de Ausführen des Bugfix-Scripts für Internet Explorer 5.5 und höher, zum Darstellen von transparenten PNG-Bildern abschalten?
|
||||
direction tinymce de Suchrichtung
|
||||
direction right to left tinymce de Schreibrichtung rechts nach links
|
||||
directory tinymce de Verzeichnis
|
||||
directory does not exist, is not readable by the webserver or is not relative to the document root! common de Verzeichnis existiert nicht, ist nicht vom Webserver lesbar oder ist nicht relative zur Dokumentroot!
|
||||
disable internet explorer png-image-bugfix common de Internet Explorer PNG-Bilder-Bugfix abschalten
|
||||
disable slider effects common de Schwebeeffekte des Navigationsmenüs abschalten
|
||||
@ -194,7 +166,6 @@ disabled common de Deaktiviert
|
||||
display %s first jscalendar de %s zuerst anzeigen
|
||||
djibouti common de DJIBOUTI
|
||||
do you also want to delete all subcategories ? common de Sollen alle Unterkategorien gelöscht werden ?
|
||||
do you want to use the wysiwyg mode for this textarea? tinymce de Wollen Sie den WYSIWYG Modus für dieses Textfeld benutzen?
|
||||
doctype: common de DOCTYPE:
|
||||
document properties common de Dokument Eigentschaften
|
||||
document title: common de Title des Dokuments:
|
||||
@ -204,7 +175,6 @@ domestic common de Inland
|
||||
dominica common de DOMINICA
|
||||
dominican republic common de DOMÄNIKANISCHE REPUBLIK
|
||||
done common de Fertig
|
||||
down tinymce de Vorwärts
|
||||
drag to move jscalendar de Ziehen um zu Bewegen
|
||||
e-mail common de E-Mail
|
||||
east timor common de OST TIMOR
|
||||
@ -219,7 +189,6 @@ egypt common de
|
||||
el salvador common de EL SALVADOR
|
||||
email common de E-Mail
|
||||
email-address of the user, eg. "%1" common de E-Mail-Adresse des Benutzers, z.B. "%1"
|
||||
emotions tinymce de Emotion
|
||||
enabled common de Verfügbar
|
||||
end date common de Enddatum
|
||||
end time common de Endzeit
|
||||
@ -243,38 +212,14 @@ features of the editor? common de Features des Editors?
|
||||
february common de Februar
|
||||
fields common de Felder
|
||||
fiji common de FIJI
|
||||
file already exists. file was not uploaded. tinymce de Datei existiert bereit. Die Datei wurde nicht hochgeladen.
|
||||
file exceeds the size limit tinymce de Datei überschreitet die zulässige Kapazität.
|
||||
file manager tinymce de Datei Manager
|
||||
file not found. tinymce de Datei nicht gefunden.
|
||||
file was not uploaded. tinymce de Datei wurde nicht hochgeladen.
|
||||
file with specified new name already exists. file was not renamed/moved. tinymce de Eine Datei mit dem angegebenen Namen existiert bereits. Die Datei wurden nicht umbenannt/verschoben.
|
||||
file(s) tinymce de Datei(en)
|
||||
file: tinymce de Datei:
|
||||
files common de Dateien
|
||||
files with this extension are not allowed. tinymce de Dateien mit dieser Dateiendung sind nicht erlaubt.
|
||||
filter common de Filter
|
||||
find tinymce de Suchen
|
||||
find again tinymce de Erneut suchen
|
||||
find what tinymce de Suchen nach
|
||||
find next tinymce de Weiter suchen
|
||||
find/replace tinymce de Suchen/Ersetzen
|
||||
finland common de FINLAND
|
||||
first name common de Vorname
|
||||
first name of the user, eg. "%1" common de Vorname des Benutzers, zB. "%1"
|
||||
first page common de Erste Seite
|
||||
firstname common de Vorname
|
||||
fixme! common de KORREGIER MICH!
|
||||
flash files tinymce de Flash Dateien
|
||||
flash properties tinymce de Flash properties
|
||||
flash-file (.swf) tinymce de Flash-Datei
|
||||
folder tinymce de Verzeichnis
|
||||
folder name missing. tinymce de Verzeichnisname fehlt.
|
||||
folder not found. tinymce de Verzeichnis nicht gefunden.
|
||||
folder with specified new name already exists. folder was not renamed/moved. tinymce de Verzeichnis existiert bereits.
|
||||
folder(s) tinymce de Ordner
|
||||
for mouse out tinymce de für Maus ausserhalb
|
||||
for mouse over tinymce de für Maus darüber
|
||||
force selectbox common de Auswahlfeld erzwingen
|
||||
france common de FRANKREICH
|
||||
french guiana common de FRANZÖSISCH GUIANA
|
||||
@ -328,30 +273,15 @@ hong kong common de HONG KONG
|
||||
how many icons should be shown in the navbar (top of the page). additional icons go into a kind of pulldown menu, callable by the icon on the far right side of the navbar. common de Wie viele Icons sollen in der Navigation angezeigt werden (die obere Nabigation). Weitere Applikationen werden über ein Auswahlmenü angeboten. Das Auswahlmenü kann über das rechte Icon geöffnet werden
|
||||
hungary common de UNGARN
|
||||
iceland common de ISLAND
|
||||
image description tinymce de Bild Beschreibung
|
||||
image directory relative to document root (use / !), example: common de Bildverzeichnis relative zur Dokumentroot (benutze / !), Beispliel:
|
||||
image title tinymce de Titel des Bildes
|
||||
image url common de Bild URL
|
||||
indent tinymce de Einzug vergrössern
|
||||
india common de INDIEN
|
||||
indonesia common de INDONESIEN
|
||||
insert tinymce de Einfügen
|
||||
insert / edit flash movie tinymce de Flash Film einfügen / bearbeiten
|
||||
insert / edit horizontale rule tinymce de Horizontale Line einfüben / bearbeiten
|
||||
insert all %1 addresses of the %2 contacts in %3 common de Alle %1 Adressen der %2 Kontakte in %3 einfügen
|
||||
insert column after common de Spalte danach einfügen
|
||||
insert column before common de Spalte davor einfügen
|
||||
insert date tinymce de Datum einfügen
|
||||
insert emotion tinymce de Emotion einfügen
|
||||
insert file tinymce de Datei einfügen
|
||||
insert link to file tinymce de Datei einfügen
|
||||
insert row after common de Zeile danach einfügen
|
||||
insert row before common de Zeile davor einfügen
|
||||
insert time tinymce de Zeit einfügen
|
||||
insert/edit image tinymce de Bild einfügen/bearbeiten
|
||||
insert/edit link tinymce de Link einfügen/bearbeiten
|
||||
insert/modify table tinymce de Tabelle Einfügen/Bearbeiten
|
||||
inserts a new table tinymce de Neue Tabelle einfügen / Tabelle bearbeiten
|
||||
international common de International
|
||||
invalid ip address common de Ungültige IP Adresse
|
||||
invalid password common de Ungültiges Passwort
|
||||
@ -367,7 +297,6 @@ jamaica common de JAMAICA
|
||||
january common de Januar
|
||||
japan common de JAPAN
|
||||
jordan common de JORDANIEN
|
||||
js-popup tinymce de JS-Popup
|
||||
july common de Juli
|
||||
june common de Juni
|
||||
justify center common de Ausrichtung mittig
|
||||
@ -375,7 +304,6 @@ justify full common de Ausrichtung im Block
|
||||
justify left common de Ausrichtung links
|
||||
justify right common de Ausrichtung rechts
|
||||
kazakstan common de KAZAKSTAN
|
||||
keep linebreaks tinymce de Zeilenumbrüche erhalten
|
||||
kenya common de KENIA
|
||||
keywords common de Schlüsselwort
|
||||
kiribati common de KIRIBATI
|
||||
@ -398,11 +326,9 @@ liberia common de LYBIEN
|
||||
libyan arab jamahiriya common de LIBYAN ARAB JAMAHIRIYA
|
||||
license common de Lizenz
|
||||
liechtenstein common de LIECHTENSTEIN
|
||||
link url tinymce de Link URL
|
||||
list common de Liste
|
||||
list members common de Mitglieder anzeigen
|
||||
lithuania common de LITAUEN
|
||||
loading files tinymce de Lade Dateien...
|
||||
local common de lokal
|
||||
login common de Anmelden
|
||||
loginid common de Benutzerkennung
|
||||
@ -417,7 +343,6 @@ mail domain, eg. "%1" common de Mail Domain, zB. "%1"
|
||||
main category common de Hauptkategorie
|
||||
main screen common de Startseite
|
||||
maintainer common de Maintainer
|
||||
make window resizable tinymce de Größe änderbar
|
||||
malawi common de MALAWI
|
||||
malaysia common de MALAYSIA
|
||||
maldives common de MALDIVEN
|
||||
@ -426,7 +351,6 @@ malta common de MALTA
|
||||
march common de März
|
||||
marshall islands common de MARSHALL ISLANDS
|
||||
martinique common de MARTINIQUE
|
||||
match case tinymce de Groß-/Kleinschreibung beachten
|
||||
mauritania common de MAURITANIEN
|
||||
mauritius common de MAURITIUS
|
||||
max number of icons in navbar common de Maximale Anzahl der Icons in der Menüleiste
|
||||
@ -434,18 +358,15 @@ may common de Mai
|
||||
mayotte common de MAYOTTE
|
||||
medium common de Mittel
|
||||
menu common de Menü
|
||||
merge table cells tinymce de Merge table cells
|
||||
message common de Nachricht
|
||||
mexico common de MEXICO
|
||||
micronesia, federated states of common de MICRONESIEN, VEREINIGTE STAATEN VON
|
||||
mkdir failed. tinymce de Verzeichnis erstellen fehlgeschlagen.
|
||||
moldova, republic of common de MOLDAVIEN, REPUBLIK
|
||||
monaco common de MONACO
|
||||
monday common de Montag
|
||||
mongolia common de MONGOLEI
|
||||
montserrat common de MONTSERRA
|
||||
morocco common de MAROCCO
|
||||
move tinymce de Verschieben
|
||||
mozambique common de MOZAMBIQUE
|
||||
myanmar common de MYANMAR
|
||||
name common de Name
|
||||
@ -458,11 +379,6 @@ netherlands antilles common de NIEDERL
|
||||
never common de Niemals
|
||||
new caledonia common de NEU CALEDONIEN
|
||||
new entry added sucessfully common de Neuer Eintrag wurde erfolgreich hinzugefügt
|
||||
new file name missing! tinymce de Neuer Dateiname fehlt!
|
||||
new file name: tinymce de Neuer Dateiname:
|
||||
new folder tinymce de Name des Verzeichnisses:
|
||||
new folder name missing! tinymce de Neuer Verzeichnisname fehlt!
|
||||
new folder name: tinymce de Neuer Verzeichnisname:
|
||||
new main category common de neue Hauptkategorie
|
||||
new value common de Neuer Wert
|
||||
new zealand common de NEUSEELAND
|
||||
@ -476,14 +392,7 @@ nigeria common de NIGERIA
|
||||
niue common de NIUE
|
||||
no common de Nein
|
||||
no entries found, try again ... common de Keine Einträge gefunden, nochmal versuchen ...
|
||||
no files... tinymce de Keine Dateien...
|
||||
no history for this record common de Keine Historie für diesen Datensatz
|
||||
no permission to create folder. tinymce de Keine Berechtigung zum Erstellen des Verzeichnisses.
|
||||
no permission to delete file. tinymce de Keine Berechtigung um die Datei zu löschen.
|
||||
no permission to move files and folders. tinymce de Keine Berechtigung um die Datei oder das Verzeichnis zu verschieben.
|
||||
no permission to rename files and folders. tinymce de Keine Berechtigugn um die Datei oder das Verzeichnis umzubennen.
|
||||
no permission to upload. tinymce de Keine ausreichende Berechtigung zum Hochladen von Dateien.
|
||||
no shadow tinymce de Keinen Schatten
|
||||
no subject common de Kein Betreff
|
||||
none common de Keine
|
||||
norfolk island common de NORFOLK INSELN
|
||||
@ -502,23 +411,13 @@ old value common de Alter Wert
|
||||
oman common de OMAN
|
||||
on *nix systems please type: %1 common de Auf *nix systemen bitte %1 eingeben
|
||||
on mouse over common de On Maus Over
|
||||
only files with extensions are permited, e.g. "imagefile.jpg". tinymce de Bitte laden Sie eine Datei mit einer Dateiendung hoch, z. B. "bild.jpg".
|
||||
only private common de nur private
|
||||
only yours common de nur eigene
|
||||
open file in new window tinymce de Datei in neuem Fenster öffnen
|
||||
open in new window tinymce de In neuem Fenster öffnen
|
||||
open in parent window / frame tinymce de Im darüber liegenden Frame öffnen
|
||||
open in the window tinymce de In Fester öffnen
|
||||
open in this window / frame tinymce de Im selben Frame öffnen
|
||||
open in top frame (replaces all frames) tinymce de Im obersten Frame öffnen (ersetzt alle Frames)
|
||||
open link in a new window tinymce de Link in neuen Fenster öffnen
|
||||
open link in the same window tinymce de Link in gleichen Fester öffnen
|
||||
open notify window common de Benachrichtigungsfenster öffnen
|
||||
open popup window common de Popup Fenster öffnen
|
||||
ordered list common de Nummerierung
|
||||
original common de Original
|
||||
other common de Andere
|
||||
outdent tinymce de Einzug verkleinern
|
||||
overview common de Überblick
|
||||
owner common de Besitzer
|
||||
page common de Seite
|
||||
@ -539,11 +438,6 @@ password must contain at least %1 numbers common de Das Passwort muss mindestens
|
||||
password must contain at least %1 special characters common de Das Passwort muss mindestens %1 Sonderzeichen enthalten
|
||||
password must contain at least %1 uppercase letters common de Das Passwort muss mindestens %1 Großbuchstaben enthalten
|
||||
password must have at least %1 characters common de Das Passwort muss mindestens %1 Zeichen lang sein
|
||||
paste as plain text tinymce de Einfügen als reiner Text
|
||||
paste from word tinymce de Von Word einfügen
|
||||
paste table row after tinymce de Tabelenzeile dahinter einfügen
|
||||
paste table row before tinymce de Tabelenzeile davor einfügen
|
||||
path not found. tinymce de Pfad nicht gefunden.
|
||||
path to user and group files has to be outside of the webservers document-root!!! common de Der Pfad für Benutzer oder Gruppen Ordner muss ausserhalb des Webserver Root Verzeichnisses liegen (Webserver Root = /var/www/html; Pfad für Benutzer/Gruppen Ordner /var/www
|
||||
permissions to the files/users directory common de Zugriffsrechte zu den Dateien / Benutzerverzeichnissen
|
||||
personal common de persönlich
|
||||
@ -554,17 +448,13 @@ phpgwapi common de eGroupWare API
|
||||
pitcairn common de PITCAIRN
|
||||
please %1 by hand common de Bitte %1 per Hand
|
||||
please enter a name common de Bitte geben Sie einen Namen ein !
|
||||
please enter the caption text tinymce de Bitte geben Sie einen Text für die Datei ein.
|
||||
please insert a name for the target or choose another option. tinymce de Bitte geben Sie einen Namen für das Ziel an oder wählen Sie eine andere Option.
|
||||
please run setup to become current common de Bitte rufen Sie Setup auf um zu aktualisieren
|
||||
please select common de Bitte wählen
|
||||
please set your global preferences common de Bitte editieren Sie Ihre globalen Einstellungen !
|
||||
please set your preferences for this application common de Bitte editieren Sie Ihre Einstellungen für diese Anwendung !
|
||||
please wait... common de Bitte warten...
|
||||
poland common de POLEN
|
||||
popup url tinymce de Popup URL
|
||||
portugal common de PORTUGA
|
||||
position (x/y) tinymce de Postition (X/Y)
|
||||
postal common de Postadresse
|
||||
powered by common de Powered by
|
||||
powered by egroupware version %1 common de Powered by <a href="http://www.egroupware.org" target="_blank">eGroupWare</a> version %1
|
||||
@ -572,7 +462,6 @@ preferences common de Einstellungen
|
||||
preferences for the idots template set common de Einstellungen für das Idots Template
|
||||
prev. month (hold for menu) jscalendar de Vorheriger Monat (halten für Menü)
|
||||
prev. year (hold for menu) jscalendar de Vorheriges Jahr (halten für Menü)
|
||||
preview tinymce de Vorschau
|
||||
previous page common de Vorherige Seite
|
||||
primary style-sheet: common de Haupt-Stylesheet:
|
||||
print common de Drucken
|
||||
@ -584,26 +473,18 @@ puerto rico common de PUERTO RICO
|
||||
qatar common de QATAR
|
||||
read common de Lesen
|
||||
read this list of methods. common de Diese Liste der Methoden lesen.
|
||||
redo tinymce de Wiederholen
|
||||
refresh tinymce de Aktualisieren
|
||||
regular common de Normal
|
||||
reject common de Zurückweisen
|
||||
remove col tinymce de Spalte löschen
|
||||
remove selected accounts common de Ausgewähle Benutzer entfernen
|
||||
rename common de Umbenennen
|
||||
rename failed tinymce de Umbenennen fehlgeschlagen
|
||||
replace common de Ersetzen
|
||||
replace with common de Ersetzem durch
|
||||
replace all tinymce de Alle ersetzen
|
||||
returns a full list of accounts on the system. warning: this is return can be quite large common de Liefert eine vollständige Lister der Benutzerkonten auf diesem System. Warnung: Die Rückgabe kann sehr gross sein
|
||||
returns an array of todo items common de Liefert ein array mit ToDo Einträgen
|
||||
returns struct of users application access common de Liefert Strucktur mit Benutzerzugriffsrechten auf Anwendungen
|
||||
reunion common de REUNION
|
||||
right common de Rechts
|
||||
rmdir failed. tinymce de Verzeichnis löschen fehlgeschlagen.
|
||||
romania common de RUMÄNIEN
|
||||
rows tinymce de Zeilen
|
||||
run spell checking tinymce de Rechtschreibprüfung
|
||||
russian federation common de RUSSISCHE FÖDERATION
|
||||
rwanda common de RWANDA
|
||||
saint helena common de SANKT HELENA
|
||||
@ -623,7 +504,6 @@ search or select accounts common de Suchen und ausw
|
||||
search or select multiple accounts common de Suchen und auswählen von mehreren Benutzern
|
||||
section common de Sektion
|
||||
select common de Auswählen
|
||||
select all tinymce de Alle auswählen
|
||||
select all %1 %2 for %3 common de Alles auswählen %1 %2 von %3
|
||||
select category common de Kategorie auswählen
|
||||
select date common de Datum auswählen
|
||||
@ -645,21 +525,15 @@ setup main menu common de Setup Hauptmen
|
||||
seychelles common de SEYCHELLEN
|
||||
show all common de alle anzeigen
|
||||
show all categorys common de Alle Kategorien anzeigen
|
||||
show locationbar tinymce de Navigationsleiste anzeigen
|
||||
show menu common de Menü anzeigen
|
||||
show menubar tinymce de Menu anzeigen
|
||||
show page generation time common de Zeit zum Erstellen der Seite anzeigen
|
||||
show page generation time on the bottom of the page? common de Zeit zum Erstellen der Seite in der Fußzeile anzeigen
|
||||
show scrollbars tinymce de Rollbalken anzeigen
|
||||
show statusbar tinymce de Statusleiste anzeigen
|
||||
show toolbars tinymce de Toolbars anzeigen
|
||||
show_more_apps common de Mehr Applikationen anzeigen
|
||||
showing %1 common de %1 Einträge
|
||||
showing %1 - %2 of %3 common de %1 - %2 von %3 Einträgen
|
||||
sierra leone common de SIERRA LEONE
|
||||
simple common de Einfach
|
||||
singapore common de SINGAPUR
|
||||
size tinymce de Größe
|
||||
slovakia common de SLOVAKEI
|
||||
slovenia common de SLOVENIEN
|
||||
solomon islands common de SOLOMON INSELN
|
||||
@ -668,13 +542,11 @@ sorry, your login has expired login de Ihre Anmeldung ist abgelaufen !
|
||||
south africa common de SÜDAFRIKA
|
||||
south georgia and the south sandwich islands common de SOUTH GEORGIA AND THE SOUTH SANDWICH ISLANDS
|
||||
spain common de SPANIEN
|
||||
split table cells tinymce de Split table cells
|
||||
sri lanka common de SRI LANKA
|
||||
start date common de Startdatum
|
||||
start time common de Startzeit
|
||||
start with common de begint mit
|
||||
status common de Status
|
||||
striketrough tinymce de Durchgestrichen
|
||||
subject common de Betreff
|
||||
submit common de Absenden
|
||||
substitutions and their meanings: common de Ersetzungen und ihre Bedeutung
|
||||
@ -686,24 +558,18 @@ swaziland common de SWAZILAND
|
||||
sweden common de SCHWEDEN
|
||||
switzerland common de SCHWEIZ
|
||||
syrian arab republic common de SYRIEN, ARABISCHE REPUBLIK
|
||||
table cell properties tinymce de Zelleneigenschaften
|
||||
table properties common de Tabelleneigenschaften
|
||||
table row properties tinymce de Reiheneigenschaften
|
||||
taiwan common de TAIWAN/TAIPEI
|
||||
tajikistan common de TAJIKISTAN
|
||||
tanzania, united republic of common de TANZANIA, VEREINIGTE REPUBLIK
|
||||
target tinymce de Ziel
|
||||
text color: common de Textfarbe:
|
||||
thailand common de THAILAND
|
||||
the api is current common de Die API ist aktuell
|
||||
the api requires an upgrade common de Die API benötigt eine Aktualisierung
|
||||
the following applications require upgrades common de Die folgenden Anwendungen benötigen eine Aktualisierung
|
||||
the mail server returned common de Der E-Mail-Server liefert zurück
|
||||
the search has been compleated. the search string could not be found. tinymce de Die Suche wurde abgeschlossen. Das Suchwort wurde nicht gefunden.
|
||||
this application is current common de Diese Anwendung ist aktuell
|
||||
this application requires an upgrade common de Diese Anwendung benötigt eine Aktualisierung
|
||||
this is just a template button tinymce de Das ist nur ein Vorlage Knopf
|
||||
this is just a template popup tinymce de Das ist nur ein Vorlage Popup
|
||||
this name has been used already common de Dieser Name ist bereits in Benutzung !
|
||||
thursday common de Donnerstag
|
||||
time common de Zeit
|
||||
@ -717,7 +583,6 @@ to go back to the msg list, click <a href= %1 >here</a> common de Um zur Liste d
|
||||
today common de Heute
|
||||
todays date, eg. "%1" common de heutiges Datum, zB. "%1"
|
||||
toggle first day of week jscalendar de ersten Tag der Woche wechseln
|
||||
toggle fullscreen mode tinymce de Vollbilddarstellung umschalten
|
||||
togo common de TOGO
|
||||
tokelau common de TOKELAU
|
||||
tonga common de TONGA
|
||||
@ -734,29 +599,21 @@ tuvalu common de TUVALU
|
||||
uganda common de UGANDA
|
||||
ukraine common de UKRAINE
|
||||
underline common de Unterstrichen
|
||||
undo tinymce de Rückgängig
|
||||
united arab emirates common de VEREINIGTEN ARABISCHEN EMIRATE
|
||||
united kingdom common de GROSSBRITANIEN
|
||||
united states common de VEREINIGTE STAATEN VON AMERIKA
|
||||
united states minor outlying islands common de UNITED STATES MINOR OUTLYING ISLANDS
|
||||
unknown common de Unbekannt
|
||||
unlink tinymce de Link entfernen
|
||||
unlink failed. tinymce de Löschen fehlgeschlagen.
|
||||
unordered list tinymce de Aufzählungszeichen
|
||||
up tinymce de Rückwärts
|
||||
update common de Aktualisieren
|
||||
upload common de Hochladen
|
||||
upload directory does not exist, or is not writeable by webserver common de Das Verzeichnis zum Hochladen existiert nicht oder ist nicht vom Webserver beschreibbar.
|
||||
upload requires the directory to be writable by the webserver! common de Der Upload verlangt, dass das Verzeich vom Webserver beschreibbar ist!
|
||||
uploading... tinymce de Lade hoch...
|
||||
url common de Webseite
|
||||
uruguay common de URUGUAY
|
||||
use button to search for common de benutze Knopf zum suchen nach
|
||||
use button to search for address common de benutze Knopf zum Suchen nach Adressen
|
||||
use button to search for calendarevent common de benutze Knopf zum Suchen nach Terminen
|
||||
use button to search for project common de benutze Knopf zum Suchen nach Projekten
|
||||
use ctrl and/or shift to select multiple items. tinymce de Benutzen Sie Strg. und/oder Umschalten um mehrere Element auszuwählen.
|
||||
use ctrl+v on your keyboard to paste the text into the window. tinymce de Benützen Sie Strg+V auf Ihrer Tastatur um den Text in das Fenster einzufügen.
|
||||
user common de Benutzer
|
||||
user accounts common de Benutzerkonten
|
||||
user groups common de Benutzergruppen
|
||||
@ -767,20 +624,16 @@ uzbekistan common de UZBEKISTAN
|
||||
vanuatu common de VANUATU
|
||||
venezuela common de VENEZUELA
|
||||
version common de Version
|
||||
vertical alignment tinymce de Vertikale Ausrichtung
|
||||
viet nam common de VIETNAM
|
||||
view common de Anzeigen
|
||||
virgin islands, british common de VIRGIN ISLANDS, BRITISH
|
||||
virgin islands, u.s. common de VIRGIN ISLANDS, U.S.
|
||||
wallis and futuna common de WALLIS AND FUTUNA
|
||||
warning!\n renaming or moving folders and files will break existing links in your documents. continue? tinymce de Warnung!\n Umbenennen oder verschieben von Verzeichnissen oder Dateien macht die Verweise in Ihrem Dokument ungültig. Fortfahren?
|
||||
warning!n renaming or moving folders and files will break existing links in your documents. continue? tinymce de Warnung!\n Umbenennen oder verschieben von Verzeichnissen oder Dateien macht die Verweise in Ihrem Dokument ungültig. Fortfahren?
|
||||
wednesday common de Mittwoch
|
||||
welcome common de Willkommen
|
||||
western sahara common de WEST SAHARA
|
||||
which groups common de Welche Gruppen
|
||||
width common de Breite
|
||||
window name tinymce de Fenster Name
|
||||
wk jscalendar de KW
|
||||
work email common de geschäftliche E-Mail
|
||||
written by: common de Geschrieben von:
|
||||
@ -797,7 +650,6 @@ you have not entered participants common de Sie haben keine Teilnehmer eingegebe
|
||||
you have selected an invalid date common de Sie haben ein ungültiges Datum gewählt !
|
||||
you have selected an invalid main category common de Sie haben eine ungültige Hauptkategorie gewählt !
|
||||
you have successfully logged out common de Sie haben sich erfolgreich abgemeldet
|
||||
you must enter the url tinymce de Bitte geben Sie eine URL ein.
|
||||
you need to add the webserver user '%1' to the group '%2'. common de Sie müssen den Webserver-User '%1' zur Gruppe '%2' hinzufügen.
|
||||
your message could <b>not</b> be sent!<br> common de Ihre Nachricht konnte <b>nicht</b> gesendet werden!<br>
|
||||
your message has been sent common de Ihre Nachricht wurde versandt
|
||||
|
@ -594,113 +594,3 @@ your settings have been updated common el
|
||||
yugoslavia common el ÃÉÏÕÃÊÏÓËÁÂÉÁ
|
||||
zambia common el ÆÁÌÐÉÁ
|
||||
zimbabwe common el ÆÉÌÐÁÌÐÏÕÅ
|
||||
bold tinymce el ¸íôïíç ãñáöÞ
|
||||
italic tinymce el ÐëÜãéá ãñáöÞ
|
||||
underline tinymce el ÕðïãñÜììéóç
|
||||
striketrough tinymce el ÄéáêñéôÞ äéáãñáöÞ
|
||||
align left tinymce el Óôïß÷éóç áñéóôåñÜ
|
||||
align center tinymce el Óôïß÷éóç óôï êÝíôñï
|
||||
align right tinymce el Óôïß÷éóç äåîéÜ
|
||||
align full tinymce el ÐëÞñçò óôïß÷éóç
|
||||
unordered list tinymce el Êïõêêßäåò
|
||||
ordered list tinymce el Áñßèìçóç
|
||||
outdent tinymce el Ìåßùóç åóï÷Þò
|
||||
indent tinymce el Áýîçóç åóï÷Þò
|
||||
undo tinymce el Áíáßñåóç
|
||||
redo tinymce el Áêýñùóç áíáßñåóçò
|
||||
insert/edit link tinymce el Äçìéïõñãßá/Äéüñèùóç õðåñ-óýíäåóçò
|
||||
unlink tinymce el ÄéáãñáöÞ õðåñ-óýíäåóçò
|
||||
insert/edit image tinymce el ÅéóáãùãÞ/Äéüñèùóç åéêüíáò
|
||||
cleanup messy code tinymce el ÊáèÜñéóìá êþäéêá
|
||||
a editor instance must be focused before using this command. tinymce el ÐñÝðåé íá õðÜñ÷åé åíåñãüò êÜðïéïò åðåîåñãáóôÞò êåéìÝíïõ ðñéí íá ÷ñçóéìïðïéÞóåôå áõôÞ ôçí åíôïëÞ.
|
||||
do you want to use the wysiwyg mode for this textarea? tinymce el ÈÝëåôå íá ÷ñçóéìïðïéÞóåôå ôçí êáôÜóôáóç WYSIWYG ãéá ôï óõãêåêñéìÝíï ðëáßóéï êåéìÝíïõ;
|
||||
insert/edit link tinymce el Äçìéïõñãßá/Äéüñèùóç õðåñ-óýíäåóçò
|
||||
insert tinymce el ÅéóáãùãÞ
|
||||
update tinymce el ÅéóáãùãÞ
|
||||
cancel tinymce el Áêýñùóç
|
||||
link url tinymce el Äéåýèõíóç
|
||||
target tinymce el Óôü÷ïò
|
||||
open link in the same window tinymce el ¢íïéãìá ôçò äéåýèõíóçò óôï ßäéï ðáñÜèõñï
|
||||
open link in a new window tinymce el ¢íïéãìá ôçò äéåýèõíóçò óå íÝï ðáñÜèõñï
|
||||
insert/edit image tinymce el ÅéóáãùãÞ/Äéüñèùóç åéêüíáò
|
||||
image url tinymce el Äéåýèõíóç
|
||||
image description tinymce el ÐåñéãñáöÞ
|
||||
help tinymce el ÂïÞèåéá
|
||||
copy/cut/paste is not available in mozilla and firefox.\ndo you want more information about this issue? tinymce el Copy/Cut/Paste is not available in Mozilla and Firefox.\nDo you want more information about this issue?
|
||||
bold tinymce el ¸íôïíç ãñáöÞ
|
||||
italic tinymce el ÐëÜãéá ãñáöÞ
|
||||
underline tinymce el ÕðïãñÜììéóç
|
||||
striketrough tinymce el ÄéáêñéôÞ äéáãñáöÞ
|
||||
align left tinymce el Óôïß÷éóç áñéóôåñÜ
|
||||
align center tinymce el Óôïß÷éóç óôï êÝíôñï
|
||||
align right tinymce el Óôïß÷éóç äåîéÜ
|
||||
align full tinymce el ÐëÞñçò óôïß÷éóç
|
||||
unordered list tinymce el Êïõêêßäåò
|
||||
ordered list tinymce el Áñßèìçóç
|
||||
outdent tinymce el Ìåßùóç åóï÷Þò
|
||||
indent tinymce el Áýîçóç åóï÷Þò
|
||||
undo tinymce el Áíáßñåóç
|
||||
redo tinymce el Áêýñùóç áíáßñåóçò
|
||||
insert/edit link tinymce el Äçìéïõñãßá/Äéüñèùóç õðåñ-óýíäåóçò
|
||||
unlink tinymce el ÄéáãñáöÞ õðåñ-óýíäåóçò
|
||||
insert/edit image tinymce el ÅéóáãùãÞ/Äéüñèùóç åéêüíáò
|
||||
cleanup messy code tinymce el ÊáèÜñéóìá êþäéêá
|
||||
a editor instance must be focused before using this command. tinymce el ÐñÝðåé íá õðÜñ÷åé åíåñãüò êÜðïéïò åðåîåñãáóôÞò êåéìÝíïõ ðñéí íá ÷ñçóéìïðïéÞóåôå áõôÞ ôçí åíôïëÞ.
|
||||
do you want to use the wysiwyg mode for this textarea? tinymce el ÈÝëåôå íá ÷ñçóéìïðïéÞóåôå ôçí êáôÜóôáóç WYSIWYG ãéá ôï óõãêåêñéìÝíï ðëáßóéï êåéìÝíïõ;
|
||||
insert/edit link tinymce el Äçìéïõñãßá/Äéüñèùóç õðåñ-óýíäåóçò
|
||||
insert tinymce el ÅéóáãùãÞ
|
||||
update tinymce el ÅéóáãùãÞ
|
||||
cancel tinymce el Áêýñùóç
|
||||
link url tinymce el Äéåýèõíóç
|
||||
target tinymce el Óôü÷ïò
|
||||
open link in the same window tinymce el ¢íïéãìá ôçò äéåýèõíóçò óôï ßäéï ðáñÜèõñï
|
||||
open link in a new window tinymce el ¢íïéãìá ôçò äéåýèõíóçò óå íÝï ðáñÜèõñï
|
||||
insert/edit image tinymce el ÅéóáãùãÞ/Äéüñèùóç åéêüíáò
|
||||
image url tinymce el Äéåýèõíóç
|
||||
image description tinymce el ÐåñéãñáöÞ
|
||||
help tinymce el ÂïÞèåéá
|
||||
copy/cut/paste is not available in mozilla and firefox.\ndo you want more information about this issue? tinymce el Copy/Cut/Paste is not available in Mozilla and Firefox.\nDo you want more information about this issue?
|
||||
insert emotion tinymce el ÅéóáãùãÞ åíüò åéêïíéäßïõ emoticon
|
||||
emotions tinymce el Åéêïíßäéá emoticons
|
||||
run spell checking tinymce el Ïñèïãñáöéêüò Ýëåã÷ïò
|
||||
insert date tinymce el ÅéóáãùãÞ çìåñïìçíßáò
|
||||
insert time tinymce el ÅéóáãùãÞ þñáò
|
||||
preview tinymce el Ðñïåðéóêüðçóç éóôïóåëßäáò
|
||||
inserts a new table tinymce el ÅéóáãùãÞ ðßíáêá
|
||||
insert row before tinymce el ÅéóáãùãÞ ãñáììÞò åðÜíù
|
||||
insert row after tinymce el ÅéóáãùãÞ ãñáììÞò êÜôù
|
||||
delete row tinymce el ÄéáãñáöÞ ãñáììÞò
|
||||
insert column before tinymce el ÅéóáãùãÞ óôÞëçò áñéóôåñÜ
|
||||
insert column after tinymce el ÅéóáãùãÞ óôÞëçò äåîéÜ
|
||||
remove col tinymce el ÄéáãñáöÞ óôÞëçò
|
||||
insert/modify table tinymce el ÅéóáãùãÞ/Äéüñèùóç ðßíáêá
|
||||
width tinymce el ÐëÜôïò
|
||||
height tinymce el ¾øïò
|
||||
columns tinymce el ÓôÞëåò
|
||||
rows tinymce el ÃñáììÝò
|
||||
cellspacing tinymce el ÄéÜóôé÷ï
|
||||
cellpadding tinymce el ÃÝìéóìá
|
||||
border tinymce el Ðåñßãñáììá
|
||||
alignment tinymce el Óôïß÷éóç
|
||||
default tinymce el Ðñïêáè.
|
||||
left tinymce el ÁñéóôåñÜ
|
||||
right tinymce el ÄåîéÜ
|
||||
center tinymce el Óôï êÝíôñï
|
||||
class tinymce el ÊëÜóç
|
||||
table row properties tinymce el Table row properties
|
||||
table cell properties tinymce el Table cell properties
|
||||
table row properties tinymce el Table row properties
|
||||
table cell properties tinymce el Table cell properties
|
||||
vertical alignment tinymce el Vertical alignment
|
||||
top tinymce el Top
|
||||
bottom tinymce el Bottom
|
||||
table properties tinymce el Table properties
|
||||
border color tinymce el Border color
|
||||
bg color tinymce el Bg color
|
||||
merge table cells tinymce el Merge table cells
|
||||
split table cells tinymce el Split table cells
|
||||
merge table cells tinymce el Merge table cells
|
||||
cut table row tinymce el Cut table row
|
||||
copy table row tinymce el Copy table row
|
||||
paste table row before tinymce el Paste table row before
|
||||
paste table row after tinymce el Paste table row after
|
||||
|
@ -16,7 +16,6 @@
|
||||
3 number of chars for day-shortcut jscalendar en 3 number of chars for day-shortcut
|
||||
3 number of chars for month-shortcut jscalendar en 3 number of chars for month-shortcut
|
||||
80 (http) admin en 80 (http)
|
||||
a editor instance must be focused before using this command. tinymce en A editor instance must be focused before using this command.
|
||||
about common en About
|
||||
about %1 common en About %1
|
||||
about egroupware common en About eGroupware
|
||||
@ -41,17 +40,10 @@ administration common en Administration
|
||||
afghanistan common en AFGHANISTAN
|
||||
albania common en ALBANIA
|
||||
algeria common en ALGERIA
|
||||
align center tinymce en Align center
|
||||
align full tinymce en Align full
|
||||
align left tinymce en Align left
|
||||
align right tinymce en Align right
|
||||
alignment tinymce en Alignment
|
||||
all common en All
|
||||
all fields common en all fields
|
||||
all occurrences of the search string was replaced. tinymce en All occurrences of the search string was replaced.
|
||||
alphabet common en a,b,c,d,e,f,g,h,i,j,k,l,m,n,o,p,q,r,s,t,u,v,w,x,y,z
|
||||
alternate style-sheet: common en Alternate style-sheet:
|
||||
alternative image tinymce en Alternative image
|
||||
american samoa common en AMERICAN SAMOA
|
||||
an existing and by the webserver readable directory enables the image browser and upload. common en An existing AND by the webserver readable directory enables the image browser and upload.
|
||||
andorra common en ANDORRA
|
||||
@ -91,13 +83,11 @@ belgium common en BELGIUM
|
||||
belize common en BELIZE
|
||||
benin common en BENIN
|
||||
bermuda common en BERMUDA
|
||||
bg color tinymce en Bg color
|
||||
bhutan common en BHUTAN
|
||||
blocked, too many attempts common en Blocked, too many attempts
|
||||
bold common en Bold
|
||||
bolivia common en BOLIVIA
|
||||
border common en Border
|
||||
border color tinymce en Border color
|
||||
bosnia and herzegovina common en BOSNIA AND HERZEGOVINA
|
||||
botswana common en BOTSWANA
|
||||
bottom common en Bottom
|
||||
@ -124,9 +114,6 @@ category %1 has been added ! common en Category %1 has been added !
|
||||
category %1 has been updated ! common en Category %1 has been updated !
|
||||
cayman islands common en CAYMAN ISLANDS
|
||||
cc common en Cc
|
||||
cellpadding tinymce en Cellpadding
|
||||
cellspacing tinymce en Cellspacing
|
||||
center tinymce en Center
|
||||
centered common en centered
|
||||
central african republic common en CENTRAL AFRICAN REPUBLIC
|
||||
chad common en CHAD
|
||||
@ -141,12 +128,9 @@ choose a background color for the icons common en Choose a background color for
|
||||
choose a background image. common en Choose a background image.
|
||||
choose a background style. common en Choose a background style.
|
||||
choose a text color for the icons common en Choose a text color for the icons
|
||||
choose directory to move selected folders and files to. tinymce en Choose directory to move selected folders and files to.
|
||||
choose the category common en Choose the category
|
||||
choose the parent category common en Choose the parent category
|
||||
christmas island common en CHRISTMAS ISLAND
|
||||
class tinymce en Class
|
||||
cleanup messy code tinymce en Cleanup messy code
|
||||
clear common en Clear
|
||||
clear form common en Clear Form
|
||||
click common en Click
|
||||
@ -156,19 +140,14 @@ close common en Close
|
||||
close sidebox common en Close sidebox
|
||||
cocos (keeling) islands common en COCOS (KEELING) ISLANDS
|
||||
colombia common en COLOMBIA
|
||||
columns tinymce en Columns
|
||||
comment tinymce en Comment
|
||||
common preferences common en Common preferences
|
||||
comoros common en COMOROS
|
||||
company common en Company
|
||||
configuration problem tinymce en Configuration problem
|
||||
congo common en CONGO
|
||||
congo, the democratic republic of the common en CONGO, THE DEMOCRATIC REPUBLIC OF THE
|
||||
contacting server... common en Contacting Server...
|
||||
cook islands common en COOK ISLANDS
|
||||
copy common en Copy
|
||||
copy table row tinymce en Copy table row
|
||||
copy/cut/paste is not available in mozilla and firefox.\ndo you want more information about this issue? tinymce en Copy/Cut/Paste is not available in Mozilla and Firefox.\nDo you want more information about this issue?
|
||||
costa rica common en COSTA RICA
|
||||
cote d ivoire common en COTE D IVOIRE
|
||||
could not contact server. operation timed out! common en Could not contact server. Operation Timed Out!
|
||||
@ -179,16 +158,13 @@ cuba common en CUBA
|
||||
currency common en Currency
|
||||
current common en Current
|
||||
current users common en Current users
|
||||
cut table row tinymce en Cut table row
|
||||
cyprus common en CYPRUS
|
||||
czech republic common en CZECH REPUBLIC
|
||||
date common en Date
|
||||
date due common en Date Due
|
||||
date modified tinymce en Date Modified
|
||||
date selection: jscalendar en Date selection:
|
||||
datetime port.<br>if using port 13, please set firewall rules appropriately before submitting this page.<br>(port: 13 / host: 129.6.15.28) admin en Datetime port.<br>If using port 13, please set firewall rules appropriately before submitting this page.<br>(Port: 13 / Host: 129.6.15.28)
|
||||
december common en December
|
||||
default tinymce en Default
|
||||
default category common en Default Category
|
||||
default height for the windows common en Default height for the windows
|
||||
default width for the windows common en Default width for the windows
|
||||
@ -199,10 +175,7 @@ description common en Description
|
||||
detail common en Detail
|
||||
details common en Details
|
||||
diable the execution a bugfixscript for internet explorer 5.5 and higher to show transparency in png-images? common en Diable the execution a bugfixscript for Internet Explorer 5.5 and higher to show transparency in PNG-images?
|
||||
direction tinymce en Direction
|
||||
direction left to right common en Direction left to right
|
||||
direction right to left tinymce en Direction right to left
|
||||
directory tinymce en Directory
|
||||
directory does not exist, is not readable by the webserver or is not relative to the document root! common en Directory does not exist, is not readable by the webserver or is not relative to the document root!
|
||||
disable internet explorer png-image-bugfix common en Disable Internet Explorer png-image-bugfix
|
||||
disable slider effects common en Disable slider effects
|
||||
@ -212,7 +185,6 @@ disabled common en Disabled
|
||||
display %s first jscalendar en Display %s first
|
||||
djibouti common en DJIBOUTI
|
||||
do you also want to delete all subcategories ? common en Do you also want to delete all subcategories ?
|
||||
do you want to use the wysiwyg mode for this textarea? tinymce en Do you want to use the WYSIWYG mode for this textarea?
|
||||
doctype: common en DOCTYPE:
|
||||
document properties common en Document properties
|
||||
document title: common en Document title:
|
||||
@ -222,7 +194,6 @@ domestic common en Domestic
|
||||
dominica common en DOMINICA
|
||||
dominican republic common en DOMINICAN REPUBLIC
|
||||
done common en Done
|
||||
down tinymce en Down
|
||||
drag to move jscalendar en Drag to move
|
||||
e-mail common en E-Mail
|
||||
east timor common en EAST TIMOR
|
||||
@ -237,7 +208,6 @@ egypt common en EGYPT
|
||||
el salvador common en EL SALVADOR
|
||||
email common en E-Mail
|
||||
email-address of the user, eg. "%1" common en email-address of the user, eg. "%1"
|
||||
emotions tinymce en Emotions
|
||||
enabled common en Enabled
|
||||
end date common en End date
|
||||
end time common en End time
|
||||
@ -262,39 +232,15 @@ features of the editor? common en Features of the editor?
|
||||
february common en February
|
||||
fields common en Fields
|
||||
fiji common en FIJI
|
||||
file already exists. file was not uploaded. tinymce en File already exists. File was not uploaded.
|
||||
file exceeds the size limit tinymce en File exceeds the size limit
|
||||
file manager tinymce en File manager
|
||||
file not found. tinymce en File not found.
|
||||
file was not uploaded. tinymce en File was not uploaded.
|
||||
file with specified new name already exists. file was not renamed/moved. tinymce en File with specified new name already exists. File was not renamed/moved.
|
||||
file(s) tinymce en file(s)
|
||||
file: tinymce en File:
|
||||
files common en Files
|
||||
files with this extension are not allowed. tinymce en Files with this extension are not allowed.
|
||||
filter common en Filter
|
||||
find tinymce en Find
|
||||
find again tinymce en Find again
|
||||
find what tinymce en Find what
|
||||
find next tinymce en Find next
|
||||
find/replace tinymce en Find/Replace
|
||||
finland common en FINLAND
|
||||
first name common en First name
|
||||
first name of the user, eg. "%1" common en first name of the user, eg. "%1"
|
||||
first page common en First page
|
||||
firstname common en Firstname
|
||||
fixme! common en FIXME!
|
||||
flash files tinymce en Flash files
|
||||
flash properties tinymce en Flash properties
|
||||
flash-file (.swf) tinymce en Flash-File (.swf)
|
||||
folder tinymce en Folder
|
||||
folder already exists. common en Folder already exists.
|
||||
folder name missing. tinymce en Folder name missing.
|
||||
folder not found. tinymce en Folder not found.
|
||||
folder with specified new name already exists. folder was not renamed/moved. tinymce en Folder with specified new name already exists. Folder was not renamed/moved.
|
||||
folder(s) tinymce en folder(s)
|
||||
for mouse out tinymce en for mouse out
|
||||
for mouse over tinymce en for mouse over
|
||||
force selectbox common en Force SelectBox
|
||||
france common en FRANCE
|
||||
french guiana common en FRENCH GUIANA
|
||||
@ -352,30 +298,15 @@ iceland common en ICELAND
|
||||
iespell not detected. click ok to go to download page. common en ieSpell not detected. Click OK to go to download page.
|
||||
if the clock is enabled would you like it to update it every second or every minute? common en If the clock is enabled would you like it to update it every second or every minute?
|
||||
if there are some images in the background folder you can choose the one you would like to see. common en If there are some images in the background folder you can choose the one you would like to see.
|
||||
image description tinymce en Image description
|
||||
image directory relative to document root (use / !), example: common en Image directory relative to document root (use / !), example:
|
||||
image title tinymce en Image title
|
||||
image url common en Image URL
|
||||
indent tinymce en Indent
|
||||
india common en INDIA
|
||||
indonesia common en INDONESIA
|
||||
insert tinymce en Insert
|
||||
insert / edit flash movie tinymce en Insert / edit Flash Movie
|
||||
insert / edit horizontale rule tinymce en Insert / edit Horizontale Rule
|
||||
insert all %1 addresses of the %2 contacts in %3 common en Insert all %1 addresses of the %2 contacts in %3
|
||||
insert column after common en Insert column after
|
||||
insert column before common en Insert column before
|
||||
insert date tinymce en Insert date
|
||||
insert emotion tinymce en Insert emotion
|
||||
insert file tinymce en Insert File
|
||||
insert link to file tinymce en Insert link to file
|
||||
insert row after common en Insert row after
|
||||
insert row before common en Insert row before
|
||||
insert time tinymce en Insert time
|
||||
insert/edit image tinymce en Insert/edit image
|
||||
insert/edit link tinymce en Insert/edit link
|
||||
insert/modify table tinymce en Insert/Modify table
|
||||
inserts a new table tinymce en Inserts a new table
|
||||
international common en International
|
||||
invalid filename common en Invalid filename
|
||||
invalid ip address common en Invalid IP address
|
||||
@ -392,7 +323,6 @@ jamaica common en JAMAICA
|
||||
january common en January
|
||||
japan common en JAPAN
|
||||
jordan common en JORDAN
|
||||
js-popup tinymce en JS-Popup
|
||||
july common en July
|
||||
jun common en Jun
|
||||
june common en June
|
||||
@ -401,7 +331,6 @@ justify full common en Justify Full
|
||||
justify left common en Justify Left
|
||||
justify right common en Justify Right
|
||||
kazakstan common en KAZAKSTAN
|
||||
keep linebreaks tinymce en Keep linebreaks
|
||||
kenya common en KENYA
|
||||
keywords common en Keywords
|
||||
kiribati common en KIRIBATI
|
||||
@ -426,11 +355,9 @@ libyan arab jamahiriya common en LIBYAN ARAB JAMAHIRIYA
|
||||
license common en License
|
||||
liechtenstein common en LIECHTENSTEIN
|
||||
line %1: '%2'<br><b>csv data does not match column-count of table %3 ==> ignored</b> common en Line %1: '%2'<br><b>csv data does not match column-count of table %3 ==> ignored</b>
|
||||
link url tinymce en Link URL
|
||||
list common en List
|
||||
list members common en List members
|
||||
lithuania common en LITHUANIA
|
||||
loading files tinymce en Loading files
|
||||
local common en Local
|
||||
login common en Login
|
||||
loginid common en LoginID
|
||||
@ -445,7 +372,6 @@ mail domain, eg. "%1" common en mail domain, eg. "%1"
|
||||
main category common en Main category
|
||||
main screen common en Main screen
|
||||
maintainer common en Maintainer
|
||||
make window resizable tinymce en Make window resizable
|
||||
malawi common en MALAWI
|
||||
malaysia common en MALAYSIA
|
||||
maldives common en MALDIVES
|
||||
@ -454,7 +380,6 @@ malta common en MALTA
|
||||
march common en March
|
||||
marshall islands common en MARSHALL ISLANDS
|
||||
martinique common en MARTINIQUE
|
||||
match case tinymce en Match case
|
||||
mauritania common en MAURITANIA
|
||||
mauritius common en MAURITIUS
|
||||
max number of icons in navbar common en Max number of icons in navbar
|
||||
@ -462,19 +387,17 @@ may common en May
|
||||
mayotte common en MAYOTTE
|
||||
medium common en Medium
|
||||
menu common en Menu
|
||||
merge table cells tinymce en Merge table cells
|
||||
message common en Message
|
||||
mexico common en MEXICO
|
||||
micronesia, federated states of common en MICRONESIA, FEDERATED STATES OF
|
||||
minute common en minute
|
||||
mkdir failed. tinymce en Mkdir failed.
|
||||
moldova, republic of common en MOLDOVA, REPUBLIC OF
|
||||
monaco common en MONACO
|
||||
monday common en Monday
|
||||
mongolia common en MONGOLIA
|
||||
montenegro common en MONTENEGRO
|
||||
montserrat common en MONTSERRAT
|
||||
morocco common en MOROCCO
|
||||
move tinymce en Move
|
||||
mozambique common en MOZAMBIQUE
|
||||
multiple common en multiple
|
||||
myanmar common en MYANMAR
|
||||
@ -488,11 +411,6 @@ netherlands antilles common en NETHERLANDS ANTILLES
|
||||
never common en Never
|
||||
new caledonia common en NEW CALEDONIA
|
||||
new entry added sucessfully common en New entry added sucessfully
|
||||
new file name missing! tinymce en New file name missing!
|
||||
new file name: tinymce en New file name:
|
||||
new folder tinymce en New folder
|
||||
new folder name missing! tinymce en New folder name missing!
|
||||
new folder name: tinymce en New folder name:
|
||||
new main category common en New main category
|
||||
new value common en New Value
|
||||
new zealand common en NEW ZEALAND
|
||||
@ -506,15 +424,8 @@ nigeria common en NIGERIA
|
||||
niue common en NIUE
|
||||
no common en No
|
||||
no entries found, try again ... common en no entries found, try again ...
|
||||
no files... tinymce en No files...
|
||||
no history for this record common en No history for this record
|
||||
no permission to create folder. tinymce en No permission to create folder.
|
||||
no permission to delete file. tinymce en No permission to delete file.
|
||||
no permission to move files and folders. tinymce en No permission to move files and folders.
|
||||
no permission to rename files and folders. tinymce en No permission to rename files and folders.
|
||||
no permission to upload. tinymce en No permission to upload.
|
||||
no savant2 template directories were found in: common en No Savant2 template directories were found in:
|
||||
no shadow tinymce en No shadow
|
||||
no subject common en No Subject
|
||||
none common en None
|
||||
norfolk island common en NORFOLK ISLAND
|
||||
@ -533,24 +444,14 @@ old value common en Old Value
|
||||
oman common en OMAN
|
||||
on *nix systems please type: %1 common en On *nix systems please type: %1
|
||||
on mouse over common en On Mouse Over
|
||||
only files with extensions are permited, e.g. "imagefile.jpg". tinymce en Only files with extensions are permited, e.g. "imagefile.jpg".
|
||||
only private common en only private
|
||||
only yours common en only yours
|
||||
open file in new window tinymce en Open file in new window
|
||||
open in new window tinymce en Open in new window
|
||||
open in parent window / frame tinymce en Open in parent window / frame
|
||||
open in the window tinymce en Open in the window
|
||||
open in this window / frame tinymce en Open in this window / frame
|
||||
open in top frame (replaces all frames) tinymce en Open in top frame (replaces all frames)
|
||||
open link in a new window tinymce en Open link in a new window
|
||||
open link in the same window tinymce en Open link in the same window
|
||||
open notify window common en Open notify window
|
||||
open popup window common en Open popup window
|
||||
open sidebox common en Open sidebox
|
||||
ordered list common en Ordered List
|
||||
original common en Original
|
||||
other common en Other
|
||||
outdent tinymce en Outdent
|
||||
overview common en Overview
|
||||
owner common en Owner
|
||||
page common en Page
|
||||
@ -571,11 +472,6 @@ password must contain at least %1 numbers common en Password must contain at lea
|
||||
password must contain at least %1 special characters common en Password must contain at least %1 special characters
|
||||
password must contain at least %1 uppercase letters common en Password must contain at least %1 uppercase letters
|
||||
password must have at least %1 characters common en Password must have at least %1 characters
|
||||
paste as plain text tinymce en Paste as Plain Text
|
||||
paste from word tinymce en Paste from Word
|
||||
paste table row after tinymce en Paste table row after
|
||||
paste table row before tinymce en Paste table row before
|
||||
path not found. tinymce en Path not found.
|
||||
path to user and group files has to be outside of the webservers document-root!!! common en Path to user and group files HAS TO BE OUTSIDE of the webservers document-root!!!
|
||||
permissions to the files/users directory common en permissions to the files/users directory
|
||||
personal common en Personal
|
||||
@ -586,17 +482,13 @@ phpgwapi common en eGroupWare API
|
||||
pitcairn common en PITCAIRN
|
||||
please %1 by hand common en Please %1 by hand
|
||||
please enter a name common en Please enter a name !
|
||||
please enter the caption text tinymce en Please enter the caption text
|
||||
please insert a name for the target or choose another option. tinymce en Please insert a name for the target or choose another option.
|
||||
please run setup to become current common en Please run setup to become current
|
||||
please select common en Please Select
|
||||
please set your global preferences common en Please set your global preferences !
|
||||
please set your preferences for this application common en Please set your preferences for this application !
|
||||
please wait... common en Please Wait...
|
||||
poland common en POLAND
|
||||
popup url tinymce en Popup URL
|
||||
portugal common en PORTUGAL
|
||||
position (x/y) tinymce en Position (X/Y)
|
||||
postal common en Postal
|
||||
powered by common en Powered by
|
||||
powered by egroupware version %1 common en Powered by <a href="http://www.egroupware.org">eGroupWare</a> version %1
|
||||
@ -604,7 +496,6 @@ preferences common en Preferences
|
||||
preferences for the idots template set common en Preferences for the idots template set
|
||||
prev. month (hold for menu) jscalendar en Prev. month (hold for menu)
|
||||
prev. year (hold for menu) jscalendar en Prev. year (hold for menu)
|
||||
preview tinymce en Preview
|
||||
previous page common en Previous page
|
||||
primary style-sheet: common en Primary style-sheet:
|
||||
print common en Print
|
||||
@ -618,27 +509,19 @@ qatar common en QATAR
|
||||
read common en Read
|
||||
read this list of methods. common en Read this list of methods.
|
||||
reading common en reading
|
||||
redo tinymce en Redo
|
||||
refresh tinymce en Refresh
|
||||
regular common en Regular
|
||||
reject common en Reject
|
||||
remove col tinymce en Remove col
|
||||
remove selected accounts common en remove selected accounts
|
||||
remove shortcut common en Remove Shortcut
|
||||
rename common en Rename
|
||||
rename failed tinymce en Rename failed
|
||||
replace common en Replace
|
||||
replace with common en Replace with
|
||||
replace all tinymce en Replace all
|
||||
returns a full list of accounts on the system. warning: this is return can be quite large common en Returns a full list of accounts on the system. Warning: This is return can be quite large
|
||||
returns an array of todo items common en Returns an array of todo items
|
||||
returns struct of users application access common en Returns struct of users application access
|
||||
reunion common en REUNION
|
||||
right common en Right
|
||||
rmdir failed. tinymce en Rmdir failed.
|
||||
romania common en ROMANIA
|
||||
rows tinymce en Rows
|
||||
run spell checking tinymce en Run spell checking
|
||||
russian federation common en RUSSIAN FEDERATION
|
||||
rwanda common en RWANDA
|
||||
saint helena common en SAINT HELENA
|
||||
@ -660,7 +543,6 @@ search or select multiple accounts common en search or select multiple accounts
|
||||
second common en second
|
||||
section common en Section
|
||||
select common en Select
|
||||
select all tinymce en Select All
|
||||
select all %1 %2 for %3 common en Select all %1 %2 for %3
|
||||
select category common en Select Category
|
||||
select date common en Select date
|
||||
@ -676,6 +558,7 @@ selection common en Selection
|
||||
send common en Send
|
||||
senegal common en SENEGAL
|
||||
september common en September
|
||||
serbia common en Serbia
|
||||
server %1 has been added common en Server %1 has been added
|
||||
server answered. processing response... common en Server answered. Processing response...
|
||||
server contacted. waiting for response... common en Server Contacted. Waiting for response...
|
||||
@ -688,24 +571,18 @@ show all common en show all
|
||||
show all categorys common en Show all categorys
|
||||
show clock? common en Show clock?
|
||||
show home and logout button in main application bar? common en Show home and logout button in main application bar?
|
||||
show locationbar tinymce en Show locationbar
|
||||
show logo's on the desktop. common en Show logo's on the desktop.
|
||||
show menu common en show menu
|
||||
show menubar tinymce en Show menubar
|
||||
show page generation time common en Show page generation time
|
||||
show page generation time on the bottom of the page? common en Show page generation time on the bottom of the page?
|
||||
show page generation time? common en Show page generation time?
|
||||
show scrollbars tinymce en Show scrollbars
|
||||
show statusbar tinymce en Show statusbar
|
||||
show the logo's of egroupware and x-desktop on the desktop. common en Show the logo's of eGroupware and x-desktop on the desktop.
|
||||
show toolbars tinymce en Show toolbars
|
||||
show_more_apps common en show_more_apps
|
||||
showing %1 common en showing %1
|
||||
showing %1 - %2 of %3 common en showing %1 - %2 of %3
|
||||
sierra leone common en SIERRA LEONE
|
||||
simple common en Simple
|
||||
singapore common en SINGAPORE
|
||||
size tinymce en Size
|
||||
slovakia common en SLOVAKIA
|
||||
slovenia common en SLOVENIA
|
||||
solomon islands common en SOLOMON ISLANDS
|
||||
@ -714,7 +591,6 @@ sorry, your login has expired login en Sorry, your login has expired
|
||||
south africa common en SOUTH AFRICA
|
||||
south georgia and the south sandwich islands common en SOUTH GEORGIA AND THE SOUTH SANDWICH ISLANDS
|
||||
spain common en SPAIN
|
||||
split table cells tinymce en Split table cells
|
||||
sri lanka common en SRI LANKA
|
||||
start date common en Start date
|
||||
start time common en Start time
|
||||
@ -722,7 +598,6 @@ start with common en start with
|
||||
starting up... common en Starting Up...
|
||||
status common en Status
|
||||
stretched common en stretched
|
||||
striketrough tinymce en Striketrough
|
||||
subject common en Subject
|
||||
submit common en Submit
|
||||
substitutions and their meanings: common en Substitutions and their meanings:
|
||||
@ -734,24 +609,18 @@ swaziland common en SWAZILAND
|
||||
sweden common en SWEDEN
|
||||
switzerland common en SWITZERLAND
|
||||
syrian arab republic common en SYRIAN ARAB REPUBLIC
|
||||
table cell properties tinymce en Table cell properties
|
||||
table properties common en Table properties
|
||||
table row properties tinymce en Table row properties
|
||||
taiwan common en TAIWAN/TAIPEI
|
||||
tajikistan common en TAJIKISTAN
|
||||
tanzania, united republic of common en TANZANIA, UNITED REPUBLIC OF
|
||||
target tinymce en Target
|
||||
text color: common en Text color:
|
||||
thailand common en THAILAND
|
||||
the api is current common en The API is current
|
||||
the api requires an upgrade common en The API requires an upgrade
|
||||
the following applications require upgrades common en The following applications require upgrades
|
||||
the mail server returned common en The mail server returned
|
||||
the search has been compleated. the search string could not be found. tinymce en The search has been compleated. The search string could not be found.
|
||||
this application is current common en This application is current
|
||||
this application requires an upgrade common en This application requires an upgrade
|
||||
this is just a template button tinymce en This is just a template button
|
||||
this is just a template popup tinymce en This is just a template popup
|
||||
this name has been used already common en This name has been used already !
|
||||
thursday common en Thursday
|
||||
tiled common en tiled
|
||||
@ -766,7 +635,6 @@ to go back to the msg list, click <a href= %1 >here</a> common en To go back to
|
||||
today common en Today
|
||||
todays date, eg. "%1" common en todays date, eg. "%1"
|
||||
toggle first day of week jscalendar en Toggle first day of week
|
||||
toggle fullscreen mode tinymce en Toggle fullscreen mode
|
||||
togo common en TOGO
|
||||
tokelau common en TOKELAU
|
||||
tonga common en TONGA
|
||||
@ -785,30 +653,22 @@ type common en Type
|
||||
uganda common en UGANDA
|
||||
ukraine common en UKRAINE
|
||||
underline common en Underline
|
||||
undo tinymce en Undo
|
||||
united arab emirates common en UNITED ARAB EMIRATES
|
||||
united kingdom common en UNITED KINGDOM
|
||||
united states common en UNITED STATES
|
||||
united states minor outlying islands common en UNITED STATES MINOR OUTLYING ISLANDS
|
||||
unknown common en Unknown
|
||||
unlink tinymce en Unlink
|
||||
unlink failed. tinymce en Unlink failed.
|
||||
unordered list tinymce en Unordered list
|
||||
up tinymce en Up
|
||||
update common en Update
|
||||
update the clock per minute or per second common en Update the clock per minute or per second
|
||||
upload common en Upload
|
||||
upload directory does not exist, or is not writeable by webserver common en Upload directory does not exist, or is not writeable by webserver
|
||||
upload requires the directory to be writable by the webserver! common en Upload requires the directory to be writable by the webserver!
|
||||
uploading... tinymce en Uploading...
|
||||
url common en URL
|
||||
uruguay common en URUGUAY
|
||||
use button to search for common en use Button to search for
|
||||
use button to search for address common en use Button to search for Address
|
||||
use button to search for calendarevent common en use Button to search for Calendarevent
|
||||
use button to search for project common en use Button to search for Project
|
||||
use ctrl and/or shift to select multiple items. tinymce en Use Ctrl and/or Shift to select multiple items.
|
||||
use ctrl+v on your keyboard to paste the text into the window. tinymce en Use CTRL+V on your keyboard to paste the text into the window.
|
||||
user common en User
|
||||
user accounts common en user accounts
|
||||
user groups common en user groups
|
||||
@ -820,13 +680,11 @@ uzbekistan common en UZBEKISTAN
|
||||
vanuatu common en VANUATU
|
||||
venezuela common en VENEZUELA
|
||||
version common en Version
|
||||
vertical alignment tinymce en Vertical alignment
|
||||
viet nam common en VIET NAM
|
||||
view common en View
|
||||
virgin islands, british common en VIRGIN ISLANDS, BRITISH
|
||||
virgin islands, u.s. common en VIRGIN ISLANDS, U.S.
|
||||
wallis and futuna common en WALLIS AND FUTUNA
|
||||
warning!\n renaming or moving folders and files will break existing links in your documents. continue? tinymce en Warning!\n Renaming or moving folders and files will break existing links in your documents. Continue?
|
||||
wednesday common en Wednesday
|
||||
welcome common en Welcome
|
||||
western sahara common en WESTERN SAHARA
|
||||
@ -835,7 +693,6 @@ what style would you like the image to have? common en What style would you like
|
||||
when you say yes the home and logout buttons are presented as applications in the main top applcation bar. common en When you say yes the home and logout buttons are presented as applications in the main top applcation bar.
|
||||
which groups common en Which groups
|
||||
width common en Width
|
||||
window name tinymce en Window name
|
||||
wk jscalendar en wk
|
||||
work email common en work email
|
||||
would you like to display the page generation time at the bottom of every window? common en Would you like to display the page generation time at the bottom of every window?
|
||||
@ -854,7 +711,6 @@ you have not entered participants common en You have not entered participants
|
||||
you have selected an invalid date common en You have selected an invalid date !
|
||||
you have selected an invalid main category common en You have selected an invalid main category !
|
||||
you have successfully logged out common en You have successfully logged out
|
||||
you must enter the url tinymce en You must enter the URL
|
||||
you need to add the webserver user '%1' to the group '%2'. common en You need to add the webserver user '%1' to the group '%2'.
|
||||
your message could <b>not</b> be sent!<br> common en Your message could <b>not</b> be sent!<br>
|
||||
your message has been sent common en Your message has been sent
|
||||
@ -862,7 +718,6 @@ your search returned %1 matchs common en your search returned %1 matches
|
||||
your search returned 1 match common en your search returned 1 match
|
||||
your session could not be verified. login en Your session could not be verified.
|
||||
your settings have been updated common en Your settings have been Updated
|
||||
yugoslavia common en YUGOSLAVIA
|
||||
zambia common en ZAMBIA
|
||||
zimbabwe common en ZIMBABWE
|
||||
zoom common en Zoom
|
||||
|
@ -16,7 +16,6 @@
|
||||
3 number of chars for day-shortcut jscalendar es-es 3 caracteres para la abreviatura del día
|
||||
3 number of chars for month-shortcut jscalendar es-es 3 caracteres para la abreviatura del mes
|
||||
80 (http) admin es-es 80 (http)
|
||||
a editor instance must be focused before using this command. tinymce es-es Una instanacia del editor debe ser enfocada antes de usar este comando.
|
||||
about common es-es Acerca de
|
||||
about %1 common es-es Acerca de %1
|
||||
about egroupware common es-es Acerca de eGroupware
|
||||
@ -41,18 +40,12 @@ administration common es-es Administraci
|
||||
afghanistan common es-es AFGHANISTAN
|
||||
albania common es-es ALBANIA
|
||||
algeria common es-es ARGELIA
|
||||
align center tinymce es-es Alinear al centro
|
||||
align full tinymce es-es Alinear justificado
|
||||
align left tinymce es-es Alinear a la izquierda
|
||||
align right tinymce es-es Alinear a la derecha
|
||||
alignment tinymce es-es Alineamiento
|
||||
all common es-es Todos
|
||||
all fields common es-es todos los campos
|
||||
all occurrences of the search string was replaced. tinymce es-es Se sustituyeron todas las coincidencias de la cadena de búsqueda
|
||||
alphabet common es-es a,b,c,d,e,f,g,h,i,j,k,l,ll,m,n,ñ,o,p,q,r,s,t,u,v,w,x,y,z
|
||||
alternate style-sheet: common es-es Hola de estilo alternativa:
|
||||
alternative image tinymce es-es Imagen alternatia
|
||||
american samoa common es-es AMERICAN SAMOA
|
||||
an existing and by the webserver readable directory enables the image browser and upload. common es-es Un directorio existente Y donde el servidor web pueda leer activa el navegar por imágenes, y también subirlas al servidor.
|
||||
andorra common es-es ANDORRA
|
||||
angola common es-es ANGOLA
|
||||
anguilla common es-es ANGUILLA
|
||||
@ -62,7 +55,7 @@ application common es-es Aplicaci
|
||||
apply common es-es Aplicar
|
||||
april common es-es Abril
|
||||
are you sure you want to delete these entries ? common es-es ¿Seguro que desea borrar estas entradas?
|
||||
are you sure you want to delete this entry ? common es-es ¿Está seguro de querer borrar esta entrada ?
|
||||
are you sure you want to delete this entry ? common es-es ¿Está seguro de querer borrar esta entrada?
|
||||
argentina common es-es ARGENTINA
|
||||
armenia common es-es ARMENIA
|
||||
aruba common es-es ARUBA
|
||||
@ -79,26 +72,22 @@ azerbaijan common es-es AZERBAIJAN
|
||||
back common es-es Atrás
|
||||
back to user login common es-es Volver al inicio de sesión del usuario
|
||||
background color: common es-es Color de fondo:
|
||||
backupdir '%1' is not writeable by the webserver common es-es El servidor web no puede escribir en el directorio de la copia de seguridad '%1'
|
||||
bad login or password common es-es Nombre de usuario o contraseña incorrectas
|
||||
bahamas common es-es BAHAMAS
|
||||
bahrain common es-es BAHRAIN
|
||||
bangladesh common es-es BANGLADESH
|
||||
barbados common es-es BARBADOS
|
||||
bcc common es-es CCo
|
||||
bcc common es-es Cco
|
||||
belarus common es-es BELARUS
|
||||
belgium common es-es BELGIUM
|
||||
belgium common es-es BELGICA
|
||||
belize common es-es BELIZE
|
||||
benin common es-es BENIN
|
||||
bermuda common es-es BERMUDA
|
||||
bg color tinymce es-es Bg color
|
||||
bermuda common es-es BERMUDAS
|
||||
bhutan common es-es BHUTAN
|
||||
blocked, too many attempts common es-es Bloqueado, demasiados intentos
|
||||
bold common es-es Negrita
|
||||
bold.gif common es-es bold.gif
|
||||
bolivia common es-es BOLIVIA
|
||||
border common es-es Borde
|
||||
border color tinymce es-es Border color
|
||||
bosnia and herzegovina common es-es BOSNIA AND HERZEGOVINA
|
||||
botswana common es-es BOTSWANA
|
||||
bottom common es-es Bottom
|
||||
@ -125,9 +114,6 @@ category %1 has been added ! common es-es
|
||||
category %1 has been updated ! common es-es ¡Se ha actualizado la categoría %1!
|
||||
cayman islands common es-es Islas Caimán
|
||||
cc common es-es CC
|
||||
cellpadding tinymce es-es Desplazamiento entre celdas
|
||||
cellspacing tinymce es-es Espacio entre celdas
|
||||
center tinymce es-es Centro
|
||||
centered common es-es centrado
|
||||
central african republic common es-es CENTRAL AFRICAN REPUBLIC
|
||||
chad common es-es CHAD
|
||||
@ -142,12 +128,9 @@ choose a background color for the icons common es-es Elegir un color de fondo pa
|
||||
choose a background image. common es-es Elegir una image de fondo
|
||||
choose a background style. common es-es Elegir un estilo para el fondo
|
||||
choose a text color for the icons common es-es Elegir un color del texto para los iconos
|
||||
choose directory to move selected folders and files to. tinymce es-es Elegir un directorio al cual mover los ficheros y directorios seleccionados:
|
||||
choose the category common es-es Elija la categoría
|
||||
choose the parent category common es-es Elija la categoría superior
|
||||
christmas island common es-es CHRISTMAS ISLAND
|
||||
class tinymce es-es Class
|
||||
cleanup messy code tinymce es-es Limpiar código
|
||||
clear common es-es Limpiar
|
||||
clear form common es-es Limpiar formulario
|
||||
click common es-es Al pulsar
|
||||
@ -157,19 +140,14 @@ close common es-es Cerrar
|
||||
close sidebox common es-es Cerrar caja lateral
|
||||
cocos (keeling) islands common es-es COCOS (KEELING) ISLANDS
|
||||
colombia common es-es COLOMBIA
|
||||
columns tinymce es-es Columnas
|
||||
comment tinymce es-es Comentario
|
||||
common preferences common es-es Preferencias comunes
|
||||
comoros common es-es COMOROS
|
||||
company common es-es Compañía
|
||||
configuration problem tinymce es-es Problema de configuración
|
||||
congo common es-es CONGO
|
||||
congo, the democratic republic of the common es-es CONGO, THE DEMOCRATIC REPUBLIC OF THE
|
||||
contacting server... common es-es Conectando con el servidor...
|
||||
cook islands common es-es COOK ISLANDS
|
||||
copy common es-es Copiar
|
||||
copy table row tinymce es-es Copiar fila de la tabla
|
||||
copy/cut/paste is not available in mozilla and firefox.\ndo you want more information about this issue? tinymce es-es Copiar, cortar y pegar no están disponibles en Mozilla y Firefox.\n¿Desea más información acerca de este problema?
|
||||
costa rica common es-es COSTA RICA
|
||||
cote d ivoire common es-es COSTA DE MARFIL
|
||||
could not contact server. operation timed out! common es-es No se pudo conectar con el servidor. La operación superó el tiempo límite de espera
|
||||
@ -180,16 +158,13 @@ cuba common es-es CUBA
|
||||
currency common es-es Cambio
|
||||
current common es-es Actual
|
||||
current users common es-es Usuarios actuales
|
||||
cut table row tinymce es-es Cortar fila de la tabla
|
||||
cyprus common es-es CYPRUS
|
||||
czech republic common es-es CZECH REPUBLIC
|
||||
cyprus common es-es CHIPRE
|
||||
czech republic common es-es REPUBLICA CHECHA
|
||||
date common es-es Fecha
|
||||
date due common es-es Fecha límite
|
||||
date modified tinymce es-es Fecha de modificación
|
||||
date selection: jscalendar es-es Seleccionar fecha:
|
||||
datetime port.<br>if using port 13, please set firewall rules appropriately before submitting this page.<br>(port: 13 / host: 129.6.15.28) admin es-es Puerto de fecha.<br>Si usa el puerto 13, por favor, configure adecuadamente las reglas del cortafuegos antes de enviar esta página.<br>
|
||||
december common es-es Diciembre
|
||||
default tinymce es-es Por defecto
|
||||
default category common es-es Categoría predeterminada
|
||||
default height for the windows common es-es Altura predeterminada para las ventanas
|
||||
default width for the windows common es-es Ancho predeterminado para las ventanas
|
||||
@ -200,10 +175,8 @@ description common es-es Descripci
|
||||
detail common es-es Detalle
|
||||
details common es-es Detalles
|
||||
diable the execution a bugfixscript for internet explorer 5.5 and higher to show transparency in png-images? common es-es ¿Desactivar la ejecución del script que corrige el bug de IE 5.5 y superiores para mostrar transparencias en imágenes PNG?
|
||||
direction tinymce es-es Dirección
|
||||
direction left to right common es-es Dirección de izquierda a derecha
|
||||
direction right to left tinymce es-es Dirección de derecha a izquierda
|
||||
directory tinymce es-es Directorio
|
||||
directory does not exist, is not readable by the webserver or is not relative to the document root! common es-es ¡El directorio no existe, el servidor web no lo puede leer o no es relativo a la raíz de los documentos!
|
||||
disable internet explorer png-image-bugfix common es-es Desactivar el parche de IE para ver imágenes PNG
|
||||
disable slider effects common es-es Desactivar efectos deslizantes
|
||||
disable the animated slider effects when showing or hiding menus in the page? opera and konqueror users will probably must want this. common es-es ¿Desactivar los efectos deslizantes animados al mostrar u ocultar menús en la página? Los usuarios de Opera y Konqueror probablemente querrán esto.
|
||||
@ -212,7 +185,6 @@ disabled common es-es Deshabilitado
|
||||
display %s first jscalendar es-es Mostrar %s primero
|
||||
djibouti common es-es DJIBOUTI
|
||||
do you also want to delete all subcategories ? common es-es ¿Desea eliminar también todas las subcategorías?
|
||||
do you want to use the wysiwyg mode for this textarea? tinymce es-es ¿Desea usar el modo WYSIWYG para este área de texto?
|
||||
doctype: common es-es DOCTYPE:
|
||||
document properties common es-es Propiedades del documento
|
||||
document title: common es-es Título del documento
|
||||
@ -222,7 +194,6 @@ domestic common es-es Dom
|
||||
dominica common es-es DOMINICA
|
||||
dominican republic common es-es REPUBLICA DOMINICANA
|
||||
done common es-es Hecho
|
||||
down tinymce es-es Abajo
|
||||
drag to move jscalendar es-es Arrastre para mover
|
||||
e-mail common es-es Correo electrónico
|
||||
east timor common es-es EAST TIMOR
|
||||
@ -237,7 +208,6 @@ egypt common es-es EGIPTO
|
||||
el salvador common es-es EL SALVADOR
|
||||
email common es-es Correo electrónico
|
||||
email-address of the user, eg. "%1" common es-es Dirección de correo electrónico del usuario, ej. '%1'
|
||||
emotions tinymce es-es Emociones
|
||||
enabled common es-es Habilitado
|
||||
end date common es-es Fecha de finalización
|
||||
end time common es-es Hora de finalización
|
||||
@ -252,47 +222,25 @@ error deleting %1 %2 directory common es-es Error eliminando el directorio %1 %2
|
||||
error renaming %1 %2 directory common es-es Error renombrando el directorio %1 %2
|
||||
estonia common es-es ESTONIA
|
||||
ethiopia common es-es ETIOPIA
|
||||
everything common es-es Todo
|
||||
exact common es-es exacto
|
||||
failed to contact server or invalid response from server. try to relogin. contact admin in case of faliure. common es-es No se pudo conectar con el servidor, o se obtuvo una respuesta no válida. Intente volver a iniciar la sesión. Póngase en contacto con el administrador en caso de fallo.
|
||||
falkland islands (malvinas) common es-es MALVINAS
|
||||
faroe islands common es-es ISLAS FEROE
|
||||
fax number common es-es Fax
|
||||
features of the editor? common es-es ¿Características del editor?
|
||||
february common es-es Febrero
|
||||
fields common es-es Campos
|
||||
fiji common es-es FIJI
|
||||
file already exists. file was not uploaded. tinymce es-es El fichero ya existe. No se subió el fichero.
|
||||
file exceeds the size limit tinymce es-es El tamaño del fichero excede el límite
|
||||
file manager tinymce es-es Administrador de ficheros
|
||||
file not found. tinymce es-es No se encontró el fichero
|
||||
file was not uploaded. tinymce es-es El fichero no se subió
|
||||
file with specified new name already exists. file was not renamed/moved. tinymce es-es El fichero con el nombre especificado ya existe. No se renombró el fichero.
|
||||
file(s) tinymce es-es fichero(s)
|
||||
file: tinymce es-es Fichero:
|
||||
files common es-es Ficheros:
|
||||
files with this extension are not allowed. tinymce es-es No están permitidos los ficheros con esta extensión.
|
||||
filter common es-es Filtro
|
||||
find tinymce es-es Buscar:
|
||||
find again tinymce es-es Volver a buscar
|
||||
find what tinymce es-es Buscar lo que
|
||||
find next tinymce es-es Buscar siguiente
|
||||
find/replace tinymce es-es Buscar/sustituir
|
||||
finland common es-es FINLAND
|
||||
finland common es-es FINLANDIA
|
||||
first name common es-es Nombre de pila
|
||||
first name of the user, eg. "%1" common es-es Nombre de pila del usuario, ej "%1"
|
||||
first page common es-es Primera página
|
||||
firstname common es-es Nombre de pila
|
||||
fixme! common es-es ¡Corríjame!
|
||||
flash files tinymce es-es Ficheros flash
|
||||
flash properties tinymce es-es Propiedades de flash
|
||||
flash-file (.swf) tinymce es-es Fichero flash (.swf)
|
||||
folder tinymce es-es Carpeta
|
||||
folder already exists. common es-es La carpeta ya existe
|
||||
folder name missing. tinymce es-es Falta el nombre de la carpeta.
|
||||
folder not found. tinymce es-es No se encontró la carpeta.
|
||||
folder with specified new name already exists. folder was not renamed/moved. tinymce es-es Ya existe la carpeta con el nuevo nombre especificado. No se renombró la carpeta.
|
||||
folder(s) tinymce es-es carpeta(s)
|
||||
for mouse out tinymce es-es para al quitar el ratón
|
||||
for mouse over tinymce es-es para al pasar el ratón por encima
|
||||
force selectbox common es-es Forzar cuadro de selección
|
||||
france common es-es FRANCIA
|
||||
french guiana common es-es GUAYANA FRANCESA
|
||||
@ -327,7 +275,7 @@ group public common es-es Grupo p
|
||||
groups common es-es Grupos
|
||||
groups with permission for %1 common es-es Grupos con permiso para %1
|
||||
groups without permission for %1 common es-es Grupos sin permiso para %1
|
||||
guadeloupe common es-es GUADALOUPE
|
||||
guadeloupe common es-es GUADALUPE
|
||||
guam common es-es GUAM
|
||||
guatemala common es-es GUATEMALA
|
||||
guinea common es-es GUINEA
|
||||
@ -339,7 +287,7 @@ height common es-es Altura
|
||||
help common es-es Ayuda
|
||||
high common es-es Alta
|
||||
highest common es-es La más alta
|
||||
holy see (vatican city state) common es-es HOLY SEE (VATICAN CITY STATE)
|
||||
holy see (vatican city state) common es-es HOLY SEE (VATICANO)
|
||||
home common es-es Inicio
|
||||
home email common es-es correo electrónico particular
|
||||
honduras common es-es HONDURAS
|
||||
@ -350,30 +298,15 @@ iceland common es-es ISLANDIA
|
||||
iespell not detected. click ok to go to download page. common es-es No se detectó ieSpell. Pulse Aceptar para ir a la página de descargas.
|
||||
if the clock is enabled would you like it to update it every second or every minute? common es-es Si el reloj está activado, ¿desea actualizarlo cada segundo o cada minuto?
|
||||
if there are some images in the background folder you can choose the one you would like to see. common es-es Si hay algunas imágenes en la carpeta de fondo, puede elegir la que desea ver.
|
||||
image description tinymce es-es Descripcion de la imagen
|
||||
image title tinymce es-es Título de la imagen
|
||||
image directory relative to document root (use / !), example: common es-es Directorio de imágenes relativo a la raíz de los documentos (use / !). Ejemplo:
|
||||
image url common es-es URL de la imagen
|
||||
indent tinymce es-es Aumentar sangria
|
||||
india common es-es INDIA
|
||||
indonesia common es-es INDONESIA
|
||||
insert tinymce es-es Insertar
|
||||
insert 'return false' common es-es insertar 'return false'
|
||||
insert / edit flash movie tinymce es-es Insertar / editar película Flash
|
||||
insert / edit horizontale rule tinymce es-es Insertar / editar línea horzontal
|
||||
insert all %1 addresses of the %2 contacts in %3 common es-es Inserte todas las direcciones %1 de los contactos de %2 en %3
|
||||
insert column after common es-es Insertar columna after
|
||||
insert column before common es-es Insertar una columna before
|
||||
insert date tinymce es-es Insertar fecha
|
||||
insert emotion tinymce es-es Insertar emoción
|
||||
insert file tinymce es-es Insertar fichero
|
||||
insert link to file tinymce es-es Insertar enlace al fichero
|
||||
insert row after common es-es Insertar una fila despues
|
||||
insert row before common es-es Insertar una fila antes
|
||||
insert time tinymce es-es Insertar hora
|
||||
insert/edit image tinymce es-es Insertar/editar imagen
|
||||
insert/edit link tinymce es-es Insertar/editar enlace
|
||||
insert/modify table tinymce es-es Insertar/Modificar tabla
|
||||
inserts a new table tinymce es-es Insertar una tabla nueva
|
||||
international common es-es Internacional
|
||||
invalid filename common es-es El nombre de fichero no es válido
|
||||
invalid ip address common es-es La dirección IP no es válida
|
||||
@ -385,13 +318,11 @@ israel common es-es ISRAEL
|
||||
it has been more then %1 days since you changed your password common es-es Hace más de %1 días que cambió su contraseña
|
||||
it is recommended that you run setup to upgrade your tables to the current version common es-es Se recomienda que ejecute la instalación para actualizar las tablas a la versión actual
|
||||
italic common es-es Cursiva
|
||||
italic.gif common es-es italic.gif
|
||||
italy common es-es ITALIA
|
||||
jamaica common es-es JAMAICA
|
||||
january common es-es Enero
|
||||
japan common es-es JAPON
|
||||
jordan common es-es JORDANIA
|
||||
js-popup tinymce es-es Ventana javascript
|
||||
july common es-es Julio
|
||||
jun common es-es Jun
|
||||
june common es-es Junio
|
||||
@ -400,7 +331,6 @@ justify full common es-es Justificado
|
||||
justify left common es-es Alinear a la izquierda
|
||||
justify right common es-es Alinear a la derecha
|
||||
kazakstan common es-es KAZAKSTAN
|
||||
keep linebreaks tinymce es-es Mantener retornos de línea
|
||||
kenya common es-es KENIA
|
||||
keywords common es-es Palabras clave
|
||||
kiribati common es-es KIRIBATI
|
||||
@ -425,11 +355,9 @@ libyan arab jamahiriya common es-es LIBYAN ARAB JAMAHIRIYA
|
||||
license common es-es Licencia
|
||||
liechtenstein common es-es LIECHTENSTEIN
|
||||
line %1: '%2'<br><b>csv data does not match column-count of table %3 ==> ignored</b> common es-es Línea %1: '%2'<br><b>los datos csv no coinciden con el número de columnas de la tabla %3 ==> ignorado</b>
|
||||
link url tinymce es-es Dirección del enlace
|
||||
list common es-es Lista
|
||||
list members common es-es Lista de miembros
|
||||
lithuania common es-es LITUANIA
|
||||
loading files tinymce es-es Cargando ficheros
|
||||
local common es-es Local
|
||||
login common es-es Entrar
|
||||
loginid common es-es ID de usuario
|
||||
@ -438,13 +366,12 @@ low common es-es Baja
|
||||
lowest common es-es La más baja
|
||||
luxembourg common es-es LUXEMBURGO
|
||||
macau common es-es MACAU
|
||||
macedonia, the former yugoslav republic of common es-es MACEDONIA, THE FORMER YUGOSLAV REPUBLIC OF
|
||||
macedonia, the former yugoslav republic of common es-es Macedonia
|
||||
madagascar common es-es MADAGASCAR
|
||||
mail domain, eg. "%1" common es-es dominio de correo, p.ej. "%1"
|
||||
main category common es-es Categoria principal
|
||||
main screen common es-es Pantalla principal
|
||||
maintainer common es-es Mantenido por
|
||||
make window resizable tinymce es-es Hacer la ventana redimensionable
|
||||
malawi common es-es MALAWI
|
||||
malaysia common es-es MALASIA
|
||||
maldives common es-es MALDIVAS
|
||||
@ -453,7 +380,6 @@ malta common es-es MALTA
|
||||
march common es-es Marzo
|
||||
marshall islands common es-es MARSHALL ISLANDS
|
||||
martinique common es-es MARTINICA
|
||||
match case tinymce es-es Coinciden las mayúsculas
|
||||
mauritania common es-es MAURITANIA
|
||||
mauritius common es-es MAURICIO
|
||||
max number of icons in navbar common es-es Número máximo de iconos en la barra de navegación
|
||||
@ -461,19 +387,17 @@ may common es-es Mayo
|
||||
mayotte common es-es MAYOTTE
|
||||
medium common es-es Medio
|
||||
menu common es-es Menú
|
||||
merge table cells tinymce es-es Incluir las celdas de la tabla
|
||||
message common es-es Mensaje
|
||||
mexico common es-es MEXICO
|
||||
micronesia, federated states of common es-es MICRONESIA, FEDERATED STATES OF
|
||||
minute common es-es minuto
|
||||
mkdir failed. tinymce es-es No se pudo crear el directorio.
|
||||
moldova, republic of common es-es MOLDOVA, REPUBLIC OF
|
||||
monaco common es-es MONACO
|
||||
monday common es-es Lunes
|
||||
mongolia common es-es MONGOLIA
|
||||
montenegro common es-es Montenegro
|
||||
montserrat common es-es MONTSERRAT
|
||||
morocco common es-es MARRUECOS
|
||||
move tinymce es-es Mover
|
||||
mozambique common es-es MOZAMBIQUE
|
||||
multiple common es-es múltiple
|
||||
myanmar common es-es MYANMAR
|
||||
@ -487,11 +411,6 @@ netherlands antilles common es-es ANTILLAS HOLANDESAS
|
||||
never common es-es Nunca
|
||||
new caledonia common es-es NUEVA CALEDONIA
|
||||
new entry added sucessfully common es-es La nueva entrada se ha añadido correctamente
|
||||
new file name missing! tinymce es-es ¡Falta el nombre del nuevo fichero!
|
||||
new file name: tinymce es-es Nuevo nombre de fichero:
|
||||
new folder tinymce es-es Nueva carpeta
|
||||
new folder name missing! tinymce es-es ¡Falta el nombre de la nueva carpeta!
|
||||
new folder name: tinymce es-es Nombre de la nueva carpeta:
|
||||
new main category common es-es Nueva categoría principal
|
||||
new value common es-es Nuevo valor
|
||||
new zealand common es-es NUEVA ZELANDA
|
||||
@ -505,21 +424,14 @@ nigeria common es-es NIGERIA
|
||||
niue common es-es NIUE
|
||||
no common es-es No
|
||||
no entries found, try again ... common es-es No se encontraron entradas, inténtelo de nuevo
|
||||
no files... tinymce es-es No hay ficheros...
|
||||
no history for this record common es-es No hay historial para este registro
|
||||
no permission to create folder. tinymce es-es No tiene permiso para crear la carpeta.
|
||||
no permission to delete file. tinymce es-es No tiene permiso para borrar el fichero.
|
||||
no permission to move files and folders. tinymce es-es No tiene permiso para mover ficheros y carpetas.
|
||||
no permission to rename files and folders. tinymce es-es No tiene permiso para renombrar ficheros y carpetas.
|
||||
no permission to upload. tinymce es-es No tiene permiso para subir ficheros.
|
||||
no savant2 template directories were found in: common es-es No se encontraron directorios para plantillas Savant2 en:
|
||||
no shadow tinymce es-es Sin sombra
|
||||
no subject common es-es Sin asunto
|
||||
none common es-es Ninguno
|
||||
norfolk island common es-es NORFOLK ISLAND
|
||||
normal common es-es Normal
|
||||
northern mariana islands common es-es NORTHERN MARIANA ISLANDS
|
||||
norway common es-es NORWAY
|
||||
norway common es-es NORUEGA
|
||||
not assigned common es-es sin asignar
|
||||
note common es-es Nota
|
||||
notes common es-es Notas
|
||||
@ -532,24 +444,14 @@ old value common es-es Valor anterior
|
||||
oman common es-es OMAN
|
||||
on *nix systems please type: %1 common es-es En sistemas *nix, por favor, escriba: %1
|
||||
on mouse over common es-es Al mover el ratón por encima
|
||||
only files with extensions are permited, e.g. "imagefile.jpg". tinymce es-es Sólo se permiten ficheros con extensiones, p. ej. "imagen.jpg".
|
||||
only private common es-es sólo los privados
|
||||
only yours common es-es sólo los suyos
|
||||
open file in new window tinymce es-es Abrir el fichero en una ventana nueva
|
||||
open in new window tinymce es-es Abrir en una ventana nueva
|
||||
open in parent window / frame tinymce es-es Abrir en el marco o ventana padre
|
||||
open in the window tinymce es-es Abrir en la ventana
|
||||
open in this window / frame tinymce es-es Abrir en esta ventana o marco
|
||||
open in top frame (replaces all frames) tinymce es-es Abrir en el marco superior (sustituye todos los marcos)
|
||||
open link in a new window tinymce es-es Abrir enlace en una ventana nueva
|
||||
open link in the same window tinymce es-es Abrir enlace en la misma ventana
|
||||
open notify window common es-es Abrir ventana de notificación
|
||||
open popup window common es-es Abrir ventana emergente
|
||||
open sidebox common es-es Abrir caja lateral
|
||||
ordered list common es-es Lista ordenada
|
||||
original common es-es Original
|
||||
other common es-es Otros
|
||||
outdent tinymce es-es Disminuir sangría
|
||||
overview common es-es Resumen
|
||||
owner common es-es Propietario
|
||||
page common es-es Página
|
||||
@ -570,15 +472,7 @@ password must contain at least %1 numbers common es-es La contrase
|
||||
password must contain at least %1 special characters common es-es La contraseña debe contener al menos %1 caracteres especiales
|
||||
password must contain at least %1 uppercase letters common es-es La contraseña debe contener al menos %1 letras mayúsculas
|
||||
password must have at least %1 characters common es-es La contraseña debe tener al menos %1 caracteres
|
||||
paste as plain text tinymce es-es Pegar como texto plano
|
||||
paste from word tinymce es-es Pegar desde Word
|
||||
paste table row after tinymce es-es Pegar la fila de la tabla después
|
||||
paste table row before tinymce es-es Pegar la fila de la tabla antes
|
||||
path not found. tinymce es-es No se encontró la ruta
|
||||
path to user and group files has to be outside of the webservers document-root!!! common es-es ¡¡La ruta a los ficheros de usuario y grupos DEBE ESTAR FUERA de la raíz de los documentos del servidor web!!
|
||||
pattern for search in addressbook common es-es Patrón de búsqueda para la libreta de direcciones
|
||||
pattern for search in calendar common es-es Patrón de búsqueda para el calendario
|
||||
pattern for search in projects common es-es Patrón de búsqueda para proyectos
|
||||
permissions to the files/users directory common es-es permisos a los directorios de archivos/usuarios
|
||||
personal common es-es Personal
|
||||
peru common es-es PERU
|
||||
@ -588,25 +482,20 @@ phpgwapi common es-es API de eGroupWare
|
||||
pitcairn common es-es PITCAIRN
|
||||
please %1 by hand common es-es Por favor %1 manualmente
|
||||
please enter a name common es-es Por favor, introduzca un nombre
|
||||
please enter the caption text tinymce es-es Por favor, introduzca el texto del título
|
||||
please insert a name for the target or choose another option. tinymce es-es Por favor, introduzca un nombre para el destino o elija otra opción.
|
||||
please run setup to become current common es-es Por favor ejecute la instalación para actualizar
|
||||
please select common es-es Por favor, seleccione
|
||||
please set your global preferences common es-es Por favor, ponga sus preferencias globales
|
||||
please set your preferences for this application common es-es Por favor, elija sus preferencias para esta aplicación
|
||||
please wait... common es-es Por favor, espere...
|
||||
poland common es-es POLONIA
|
||||
popup url tinymce es-es URL de la ventana emergente
|
||||
portugal common es-es PORTUGAL
|
||||
position (x/y) tinymce es-es Posición (X/Y)
|
||||
postal common es-es Postal
|
||||
powered by common es-es Proporcionado por
|
||||
powered by egroupware version %1 common es-es Proporcionado por <a href="http://www.egroupware.org">eGroupWare</a> versión %1
|
||||
powered by phpgroupware version %1 common es-es Diseñado con eGroupWare versión %1
|
||||
preferences common es-es Preferencias
|
||||
preferences for the idots template set common es-es Preferencias para las plantillas de idots
|
||||
prev. month (hold for menu) jscalendar es-es Mes anterior (mantener para menú)
|
||||
prev. year (hold for menu) jscalendar es-es Año anterior (mantener para menú)
|
||||
preview tinymce es-es Vista previa
|
||||
previous page common es-es Página anterior
|
||||
primary style-sheet: common es-es Hoja de estilo principal:
|
||||
print common es-es Imprimir
|
||||
@ -620,26 +509,19 @@ qatar common es-es QATAR
|
||||
read common es-es Leer
|
||||
read this list of methods. common es-es Leer esta lista de métodos
|
||||
reading common es-es leyendo
|
||||
redo tinymce es-es Rehacer
|
||||
refresh tinymce es-es Refrescar
|
||||
regular common es-es Regular
|
||||
reject common es-es Rechazar
|
||||
remove col tinymce es-es Eliminar una columna
|
||||
remove selected accounts common es-es borrar las cuentas seleccionadas
|
||||
remove shortcut common es-es Eliminar acceso directo
|
||||
rename common es-es Renombrar
|
||||
rename failed tinymce es-es No se pudo renombrar
|
||||
replace common es-es Sustituir
|
||||
replace with common es-es Sustituir por
|
||||
replace all tinymce es-es Sustituir todo
|
||||
returns a full list of accounts on the system. warning: this is return can be quite large common es-es Devuelve una lista completa de las cuentas del sistema. Aviso: puede ser bastante largo
|
||||
returns an array of todo items common es-es Devuelve un array de elementos pendientes
|
||||
returns struct of users application access common es-es Devuelve la estructura del acceso de los usuarios a la aplicación
|
||||
reunion common es-es REUNION
|
||||
right common es-es Derecha
|
||||
rmdir failed. tinymce es-es No se pudo borrar el directorio.
|
||||
romania common es-es RUMANIA
|
||||
rows tinymce es-es Filas
|
||||
run spell checking tinymce es-es Comprobar ortografía
|
||||
russian federation common es-es FEDERACION RUSA
|
||||
rwanda common es-es RUANDA
|
||||
saint helena common es-es SANTA ELENA
|
||||
@ -661,7 +543,6 @@ search or select multiple accounts common es-es buscar o seleccionar m
|
||||
second common es-es segundo
|
||||
section common es-es Sección
|
||||
select common es-es Seleccionar
|
||||
select all tinymce es-es Seleccionar todo
|
||||
select all %1 %2 for %3 common es-es Seleccionar todos los %1 %2 para %3
|
||||
select category common es-es Seleccionar categoría
|
||||
select date common es-es Seleccionar fecha
|
||||
@ -677,6 +558,7 @@ selection common es-es Selecci
|
||||
send common es-es Enviar
|
||||
senegal common es-es SENEGAL
|
||||
september common es-es Septiembre
|
||||
serbia common es-es Serbia
|
||||
server %1 has been added common es-es El servidor %1 ha sido añadido
|
||||
server answered. processing response... common es-es El servidor ha respondido. Procesando la respuesta...
|
||||
server contacted. waiting for response... common es-es Se ha conectado con el servidor. Esperando la respuesta...
|
||||
@ -689,23 +571,18 @@ show all common es-es mostrar todo
|
||||
show all categorys common es-es Mostrar todas las categorías
|
||||
show clock? common es-es ¿Mostrar el reloj?
|
||||
show home and logout button in main application bar? common es-es ¿Mostrar los botones de inicio y salir en el barra de aplicaciones principal?
|
||||
show locationbar tinymce es-es Mostrar bara de ubicación
|
||||
show logo's on the desktop. common es-es Mostrar logo en el escritorio
|
||||
show menu common es-es mostrar menú
|
||||
show menubar tinymce es-es Mostrar barra del menú
|
||||
show page generation time common es-es Mostrar el tiempo que tarda en generarse la página
|
||||
show page generation time on the bottom of the page? common es-es ¿Mostrar el tiempo que tarda en generarse la página en la parte inferior de la página?
|
||||
show page generation time? common es-es ¿Mostrar el tiempo que tarda en generarse la página?
|
||||
show scrollbars tinymce es-es Mostrar barras de desplazamiento
|
||||
show statusbar tinymce es-es Mostrar barra de estado
|
||||
show the logo's of egroupware and x-desktop on the desktop. common es-es Mostrar el logo de eGroupware y x-desktop en el escritorio.
|
||||
show toolbars tinymce es-es Mostrar barras de herramientas
|
||||
show_more_apps common es-es mostrar más aplicaciones
|
||||
showing %1 common es-es mostrando %1
|
||||
showing %1 - %2 of %3 common es-es mostrando %1 - %2 de %3
|
||||
sierra leone common es-es SIERRA LEONA
|
||||
simple common es-es Simple
|
||||
singapore common es-es SINGAPUR
|
||||
size tinymce es-es Tamaño
|
||||
slovakia common es-es ESLOVAQUIA
|
||||
slovenia common es-es ESLOVENIA
|
||||
solomon islands common es-es SOLOMON ISLANDS
|
||||
@ -714,7 +591,6 @@ sorry, your login has expired login es-es Lo siento, su sesi
|
||||
south africa common es-es SUDAFRICA
|
||||
south georgia and the south sandwich islands common es-es SOUTH GEORGIA AND THE SOUTH SANDWICH ISLANDS
|
||||
spain common es-es ESPAÑA
|
||||
split table cells tinymce es-es Split table cells
|
||||
sri lanka common es-es SRI LANKA
|
||||
start date common es-es Fecha de inicio
|
||||
start time common es-es Hora de inicio
|
||||
@ -722,7 +598,6 @@ start with common es-es empieza por
|
||||
starting up... common es-es Iniciando...
|
||||
status common es-es Estado
|
||||
stretched common es-es ajustado
|
||||
striketrough tinymce es-es Tachado
|
||||
subject common es-es Asunto
|
||||
submit common es-es Enviar
|
||||
substitutions and their meanings: common es-es Sustituciones y sus significados
|
||||
@ -734,24 +609,18 @@ swaziland common es-es SWAZILAND
|
||||
sweden common es-es SUECIA
|
||||
switzerland common es-es SUIZA
|
||||
syrian arab republic common es-es SYRIAN ARAB REPUBLIC
|
||||
table cell properties tinymce es-es Propiedades de la celda de la tabla
|
||||
table properties common es-es Propiedades de la tabla
|
||||
table row properties tinymce es-es Propiedades de la fila de la tabla
|
||||
taiwan common es-es TAIWAN/TAIPEI
|
||||
tajikistan common es-es TAJIKISTAN
|
||||
tanzania, united republic of common es-es TANZANIA, UNITED REPUBLIC OF
|
||||
target tinymce es-es Destino
|
||||
text color: common es-es Color del texto:
|
||||
thailand common es-es TAILANDIA
|
||||
the api is current common es-es La API esta al dia
|
||||
the api requires an upgrade common es-es La API requiere una actualizacion
|
||||
the following applications require upgrades common es-es Las siguientes aplicaciones requieren actualizaciones
|
||||
the mail server returned common es-es El servidor de correo devolvió
|
||||
the search has been compleated. the search string could not be found. tinymce es-es Se ha completado la búsqueda. No se pudo encontrar la cadena buscada.
|
||||
this application is current common es-es Esta aplicación está actualizada
|
||||
this application requires an upgrade common es-es Esta aplicación requiere una actualización
|
||||
this is just a template button tinymce es-es Esto sólo es un botón de plantilla
|
||||
this is just a template popup tinymce es-es Esto es sólo una ventana emergente de plantilla
|
||||
this name has been used already common es-es ¡Este nombre ya ha sido usado!
|
||||
thursday common es-es Jueves
|
||||
tiled common es-es mosaico
|
||||
@ -766,7 +635,6 @@ to go back to the msg list, click <a href= %1 >here</a> common es-es Psra volver
|
||||
today common es-es Hoy
|
||||
todays date, eg. "%1" common es-es fecha de hoy, p.ej. "%1"
|
||||
toggle first day of week jscalendar es-es Cambiar el primer día de la semana
|
||||
toggle fullscreen mode tinymce es-es Cambiar a modo de pantalla completa
|
||||
togo common es-es TOGO
|
||||
tokelau common es-es TOKELAU
|
||||
tonga common es-es TONGA
|
||||
@ -785,30 +653,22 @@ type common es-es Tipo
|
||||
uganda common es-es UGANDA
|
||||
ukraine common es-es UCRANIA
|
||||
underline common es-es Subrayado
|
||||
underline.gif common es-es underline.gif
|
||||
undo tinymce es-es Deshacer
|
||||
united arab emirates common es-es EMIRATOS ARABES UNIDOS
|
||||
united kingdom common es-es REINO UNIDO
|
||||
united states common es-es ESTADOS UNIDOS
|
||||
united states minor outlying islands common es-es UNITED STATES MINOR OUTLYING ISLANDS
|
||||
unknown common es-es Desconocido
|
||||
unlink tinymce es-es Quitar enlace
|
||||
unlink failed. tinymce es-es No se pudo desvincular
|
||||
unordered list tinymce es-es Lista sin ordenar
|
||||
up tinymce es-es Arriba
|
||||
update common es-es Insertar
|
||||
update the clock per minute or per second common es-es Actualizar el reloj por minuto o por segundo
|
||||
upload common es-es Subir a un servidor
|
||||
upload directory does not exist, or is not writeable by webserver common es-es El directorio para subir archivos no existe o no tiene permisos de escritura para el servidor web
|
||||
uploading... tinymce es-es Subiendo...
|
||||
upload requires the directory to be writable by the webserver! common es-es ¡La subida de ficheros requiere que el servidor web pueda escribir en el directorio!
|
||||
url common es-es URL
|
||||
uruguay common es-es URUGUAY
|
||||
use button to search for common es-es use el botón para buscar
|
||||
use button to search for address common es-es use el botón para buscar por dirección
|
||||
use button to search for calendarevent common es-es use el botón para buscar por evento de calendario
|
||||
use button to search for project common es-es use el botón para buscar por proyecto
|
||||
use ctrl and/or shift to select multiple items. tinymce es-es Use Ctrl y/o Mayúsculas para seleccionar varios elementos.
|
||||
use ctrl+v on your keyboard to paste the text into the window. tinymce es-es Use Ctrl+V en su teclado para pegar el texto dentro de la ventana.
|
||||
user common es-es Usuario
|
||||
user accounts common es-es Cuentas de usuario
|
||||
user groups common es-es Grupos de usuario
|
||||
@ -820,13 +680,11 @@ uzbekistan common es-es UZBEKISTAN
|
||||
vanuatu common es-es VANUATU
|
||||
venezuela common es-es VENEZUELA
|
||||
version common es-es Versión
|
||||
vertical alignment tinymce es-es Vertical alignment
|
||||
viet nam common es-es VIETNAM
|
||||
view common es-es Ver
|
||||
virgin islands, british common es-es VIRGIN ISLANDS, BRITISH
|
||||
virgin islands, u.s. common es-es VIRGIN ISLANDS, U.S.
|
||||
wallis and futuna common es-es WALLIS AND FUTUNA
|
||||
warning!\n renaming or moving folders and files will break existing links in your documents. continue? tinymce es-es Aviso:\n renombrar o mover ficheros y carpetas romperá los enlaces existentes en sus documentos. ¿Desea continuar?
|
||||
wednesday common es-es Miércoles
|
||||
welcome common es-es Página principal
|
||||
western sahara common es-es SAHARA OCCIDENTAL
|
||||
@ -835,7 +693,6 @@ what style would you like the image to have? common es-es
|
||||
when you say yes the home and logout buttons are presented as applications in the main top applcation bar. common es-es Si dice que sí, los botones de Inicio y Salir se presentan como aplicaciones en la barra principal de aplicaciones.
|
||||
which groups common es-es Qué grupos
|
||||
width common es-es Anchura
|
||||
window name tinymce es-es Nombre de la ventana
|
||||
wk jscalendar es-es wk
|
||||
work email common es-es correo del trabajo
|
||||
would you like to display the page generation time at the bottom of every window? common es-es ¿Desea mostrar el tiempo que tarda en generarse la página en la parte inferior de cada ventana?
|
||||
@ -845,6 +702,7 @@ year common es-es A
|
||||
yemen common es-es YEMEN
|
||||
yes common es-es Sí
|
||||
you are required to change your password during your first login common es-es Es necesario que cambie la contraseña durante su primer inicio de sesión.
|
||||
you can customize how many icons and toolbars the editor shows. common es-es Puede personalizar el número de iconos y barras de herramientas que muestra el editor.
|
||||
you have been successfully logged out login es-es Usted ha salido correctamente
|
||||
you have not entered a title common es-es No ha introducido un título
|
||||
you have not entered a valid date common es-es No ha introducido una fecha válida
|
||||
@ -853,7 +711,6 @@ you have not entered participants common es-es No ha introducido participantes
|
||||
you have selected an invalid date common es-es La fecha seleccionada no es válida
|
||||
you have selected an invalid main category common es-es La categoría principal seleccionada no es válida
|
||||
you have successfully logged out common es-es Ha terminado la sesión correctamente
|
||||
you must enter the url tinymce es-es Debe introducir la URL
|
||||
you need to add the webserver user '%1' to the group '%2'. common es-es Necesita añadir el usuario del servidor web '%1' al grupo '%2'.
|
||||
your message could <b>not</b> be sent!<br> common es-es Su mensaje <b>no</b> se pudo enviar<br>
|
||||
your message has been sent common es-es Su mensaje ha sido enviado
|
||||
@ -861,7 +718,6 @@ your search returned %1 matchs common es-es su b
|
||||
your search returned 1 match common es-es su búsqueda devolvió 1 resultado
|
||||
your session could not be verified. login es-es Su sesión no pudo ser verificada.
|
||||
your settings have been updated common es-es Sus preferencias fueron actualizadas
|
||||
yugoslavia common es-es YUGOSLAVIA
|
||||
zambia common es-es ZAMBIA
|
||||
zimbabwe common es-es ZIMBAWE
|
||||
zoom common es-es Escala
|
||||
|
@ -15,7 +15,6 @@
|
||||
3 number of chars for day-shortcut jscalendar eu 3 karaktere egunaren laburduran
|
||||
3 number of chars for month-shortcut jscalendar eu 3 karaktere hilabetearen laburduran
|
||||
80 (http) admin eu 80 (http)
|
||||
a editor instance must be focused before using this command. tinymce eu Editorearen instantzia enfokatu behar da komando hau erabiltzko.
|
||||
about common eu Honi buruzkoak
|
||||
about %1 common eu %1 honi buruzkoak
|
||||
about egroupware common eu eGroupwareri buruzkoak
|
||||
@ -40,17 +39,10 @@ administration common eu Administrazioa
|
||||
afghanistan common eu AFGANISTAN
|
||||
albania common eu ALBANIA
|
||||
algeria common eu ALJERIA
|
||||
align center tinymce eu Lerrokatu erdian
|
||||
align full tinymce eu Lerrokatu osoa
|
||||
align left tinymce eu Lerrokatu ezkerrean
|
||||
align right tinymce eu Lerrokatu eskubian
|
||||
alignment tinymce eu Lerrokatzea
|
||||
all common eu Guztiak
|
||||
all fields common eu eremu guztiak
|
||||
all occurrences of the search string was replaced. tinymce eu Aurkitzen diren parekatze guztiak ordezkatuko dira
|
||||
alphabet common eu a,b,d,e,f,g,h,i,j,k,l,m,n,o,p,q,r,s,t,u,v,w,x,y,z
|
||||
alternate style-sheet: common eu Txadakatu estilo-orria
|
||||
alternative image tinymce eu Ordezko irudia
|
||||
american samoa common eu AMERICAN SAMOA
|
||||
andorra common eu ANDORRA
|
||||
angola common eu ANGOLA
|
||||
@ -89,14 +81,12 @@ belgium common eu BELGIKA
|
||||
belize common eu BELIZE
|
||||
benin common eu BENIN
|
||||
bermuda common eu BERMUDA
|
||||
bg color tinymce eu Bg kolorea
|
||||
bhutan common eu BHUTAN
|
||||
blocked, too many attempts common eu Blokeatuta saiakera gehiegi
|
||||
bold common eu Lodia
|
||||
bold.gif common eu lodia.gif
|
||||
bolivia common eu BOLIBIA
|
||||
border common eu Ertza
|
||||
border color tinymce eu Ertzaren kolorea
|
||||
bosnia and herzegovina common eu BOSNIA ETA HERZEGOVINA
|
||||
botswana common eu BOSTWANA
|
||||
bottom common eu Behean
|
||||
@ -123,9 +113,6 @@ category %1 has been added ! common eu Kategoria %1 erantsia izan da
|
||||
category %1 has been updated ! common eu Kategoria %1 eguneratua izan da
|
||||
cayman islands common eu CAIMAN IRLAK
|
||||
cc common eu Cc
|
||||
cellpadding tinymce eu Gelaxkaren betegarria
|
||||
cellspacing tinymce eu Gelaxken arteko tartea
|
||||
center tinymce eu Erdian
|
||||
centered common eu erdian
|
||||
central african republic common eu ERTA AFRIKAKO ERREPUBLIKA
|
||||
chad common eu CHAD
|
||||
@ -140,12 +127,9 @@ choose a background color for the icons common eu Aukeratu ikonoen atzeko planor
|
||||
choose a background image. common eu Atzeko planoko irudia aukeratu
|
||||
choose a background style. common eu Aztzko planoko estiloa aukeratu
|
||||
choose a text color for the icons common eu Aukeratu ikonoen testu kolorea
|
||||
choose directory to move selected folders and files to. tinymce eu Direktorio bat aukeratu aukeratutako karpeta eta fitxategiak mugitzeko
|
||||
choose the category common eu Kategoria aukeratu
|
||||
choose the parent category common eu Goi kategoria aukeratu
|
||||
christmas island common eu CHRISTMAS ISLAND
|
||||
class tinymce eu Klase
|
||||
cleanup messy code tinymce eu Kodigoa garbitu
|
||||
clear common eu Garbitu
|
||||
clear form common eu Formularioa garbitu
|
||||
click common eu Klikatu
|
||||
@ -154,18 +138,14 @@ click or mouse over to show menus? common eu Klikatu edo mugitu xagua menuetatik
|
||||
close common eu Itxi
|
||||
cocos (keeling) islands common eu COCOS (KEELING) ISLANDS
|
||||
colombia common eu COLOMBIA
|
||||
columns tinymce eu Zutabeak
|
||||
comment tinymce eu Oharra
|
||||
common preferences common eu Hobespen orokorrak
|
||||
comoros common eu COMOROS
|
||||
company common eu Elkartea
|
||||
configuration problem tinymce eu kongigurazio arazoak
|
||||
congo common eu CONGO
|
||||
congo, the democratic republic of the common eu CONGOKO ERREPUBLIKA DEMOKRATIKOA
|
||||
contacting server... common eu Zerbitzariarekin konektatzen...
|
||||
cook islands common eu COOK ISLANDS
|
||||
copy common eu Kopiatu
|
||||
copy table row tinymce eu Taulako errenkada kopiatu
|
||||
costa rica common eu COSTA RICA
|
||||
cote d ivoire common eu COTE D IVOIRE
|
||||
create common eu Sortu
|
||||
@ -175,15 +155,12 @@ cuba common eu KUBA
|
||||
currency common eu Aldaketa
|
||||
current common eu Oraingoa
|
||||
current users common eu Momentuko erabiltzaileak
|
||||
cut table row tinymce eu Taulako errenkada ebaki
|
||||
cyprus common eu CYPRUS
|
||||
czech republic common eu CZECH REPUBLIC
|
||||
date common eu Data
|
||||
date due common eu Muga eguna
|
||||
date modified tinymce eu Data aldatuta
|
||||
date selection: jscalendar eu Aukeratu data:
|
||||
december common eu Abendua
|
||||
default tinymce eu Lehenetsia
|
||||
default category common eu Lehenetsitako kategoria
|
||||
delete common eu Ezabatu
|
||||
delete row common eu Errenkada ezabatu
|
||||
@ -191,16 +168,12 @@ denmark common eu Danimarka
|
||||
description common eu Deskribapena
|
||||
detail common eu Zehaztasuna
|
||||
details common eu Zehaztasunak
|
||||
direction tinymce eu Helbidea
|
||||
direction left to right common eu Helbidea ezkerretik eskubira
|
||||
direction right to left tinymce eu Helbidea eskubitik ezkerrera
|
||||
directory tinymce eu Direktorio
|
||||
disable slider effects common eu Efektu graduatzaileak desaktibatu
|
||||
disabled common eu Desaktibatu
|
||||
display %s first jscalendar eu Erakutsi % lehenengo
|
||||
djibouti common eu DJIBOUTI
|
||||
do you also want to delete all subcategories ? common eu Azpikategoria guztiak ezabatu nahi dituzu?
|
||||
do you want to use the wysiwyg mode for this textarea? tinymce eu WYSIWYG modua erabili nahi al duzu testuaren eremu honetarako?
|
||||
doctype: common eu DOCTYPE:
|
||||
document properties common eu Dokumentuaren propietateak:
|
||||
document title: common eu Dokumentuaren izenburua:
|
||||
@ -209,7 +182,6 @@ domestic common eu Lokal
|
||||
dominica common eu DOMINICA
|
||||
dominican republic common eu ERREPUBLICA DOMINIKARRA
|
||||
done common eu Egina
|
||||
down tinymce eu Behera
|
||||
drag to move jscalendar eu Arrastatu mugitzeko
|
||||
e-mail common eu Posta elektronikoa
|
||||
east timor common eu EAST TIMOR
|
||||
@ -222,7 +194,6 @@ egroupware api version %1 common eu eGroupware API bertsioa %1
|
||||
egypt common eu EGIPTO
|
||||
el salvador common eu EL SALVADOR
|
||||
email common eu Posta elektronikoa
|
||||
emotions tinymce eu Hunkipenak
|
||||
enabled common eu Lehenengo orria
|
||||
end date common eu Amaiera data
|
||||
end time common eu Amaiera ordua
|
||||
@ -243,36 +214,14 @@ fax number common eu Fax zenbakia
|
||||
february common eu Otsaila
|
||||
fields common eu Eremuak
|
||||
fiji common eu FIJI
|
||||
file already exists. file was not uploaded. tinymce eu Fitxategia existitzen da. Fitxategia ez da igo.
|
||||
file exceeds the size limit tinymce eu Fitxategiaren tamainak muga gainditzen du
|
||||
file manager tinymce eu Fitxategi kudeatzailea
|
||||
file not found. tinymce eu Fitxategia ez da aurkitu
|
||||
file was not uploaded. tinymce eu Fitxategia ez da igo
|
||||
file with specified new name already exists. file was not renamed/moved. tinymce eu Izen hori duen fitxategia existitzen da. Fitxategia ezin da berizendatu/mugitu
|
||||
file(s) tinymce eu Fitxategi(ak)
|
||||
file: tinymce eu Fitxategia:
|
||||
files common eu Fitxategiak
|
||||
files with this extension are not allowed. tinymce eu Extensio hau duten fitxategiak ez dira onartzen
|
||||
filter common eu Iragazkia
|
||||
find tinymce eu Bilatu
|
||||
find again tinymce eu Bilatu berriro
|
||||
find what tinymce eu Aurkitu
|
||||
find next tinymce eu Aurkitu hurrengoa
|
||||
find/replace tinymce eu Bilatu eta ordezkatu
|
||||
finland common eu FINLANDIA
|
||||
first name common eu Izena
|
||||
first page common eu Lehenengo orria
|
||||
firstname common eu Izena
|
||||
fixme! common eu Zuzendu nazazu!
|
||||
flash files tinymce eu Flash fitxategiak
|
||||
flash properties tinymce eu Flasharen propietateak
|
||||
folder tinymce eu Karpeta
|
||||
folder already exists. common eu Karpeta hau existitzen da.
|
||||
folder name missing. tinymce eu Karpetaren izena falta da
|
||||
folder not found. tinymce eu Karpeta ez da aurkitu
|
||||
folder(s) tinymce eu karpeta(k)
|
||||
for mouse out tinymce eu xagua kentzerakoan
|
||||
for mouse over tinymce eu xagua pasatzerakoan
|
||||
force selectbox common eu Aukeraketa koadroa indartu
|
||||
france common eu FRANTZIA
|
||||
french guiana common eu FRANTZIAR GUIANA
|
||||
@ -325,28 +274,13 @@ honduras common eu HONDURAS
|
||||
hong kong common eu HONG KONG
|
||||
hungary common eu HUNGARIA
|
||||
iceland common eu ISLANDIA
|
||||
image description tinymce eu Irudiaren deskribapena
|
||||
image title tinymce eu Irudiaren izenburua
|
||||
image url common eu URL irudia
|
||||
indent tinymce eu Koska
|
||||
india common eu INDIA
|
||||
indonesia common eu INDONESIA
|
||||
insert tinymce eu Txertatu
|
||||
insert / edit flash movie tinymce eu Txertatu / flash filma editatu
|
||||
insert / edit horizontale rule tinymce eu Txertatu / lerro horizontala editatu
|
||||
insert column after common eu Zutabe bat txertatu aurretik
|
||||
insert column before common eu Zutabe bat txertatu aurretik
|
||||
insert date tinymce eu Txertatu data
|
||||
insert emotion tinymce eu Txertatu hunkipena
|
||||
insert file tinymce eu Txertatu fitxategia
|
||||
insert link to file tinymce eu Txertatu esteka fitxategi honi
|
||||
insert row after common eu Errenkada bat txertatu aurretik
|
||||
insert row before common eu Errenkada bat txertatu ondoren
|
||||
insert time tinymce eu Txertatu ordua
|
||||
insert/edit image tinymce eu Txertatu/irudia editatu
|
||||
insert/edit link tinymce eu Txertatu/lotura editatu
|
||||
insert/modify table tinymce eu Txertatu/taula aldatu
|
||||
inserts a new table tinymce eu Txertatu taula berri bat
|
||||
international common eu Nazioartekoa
|
||||
invalid filename common eu Fitxategi izena baliogabea
|
||||
invalid ip address common eu IP helbidea baliogabea
|
||||
@ -361,7 +295,6 @@ jamaica common eu JAMAICA
|
||||
january common eu Urtarrila
|
||||
japan common eu JAPONIA
|
||||
jordan common eu JORDANIA
|
||||
js-popup tinymce eu Javascript leihoa
|
||||
july common eu Uztaila
|
||||
jun common eu Ekaina
|
||||
june common eu Ekaina
|
||||
@ -370,7 +303,6 @@ justify full common eu Lerrokatu
|
||||
justify left common eu Lerrokatu ezkerrean
|
||||
justify right common eu lerrokatu eskuinean
|
||||
kazakstan common eu KAZAKSTAN
|
||||
keep linebreaks tinymce eu Lerro jauzia mantendu
|
||||
kenya common eu KENYA
|
||||
keywords common eu Hitz gakoak
|
||||
kiribati common eu KIRIBATI
|
||||
@ -391,11 +323,9 @@ liberia common eu LIBERIA
|
||||
libyan arab jamahiriya common eu LIBYAN ARAB JAMAHIRIYA
|
||||
license common eu Lizentzia
|
||||
liechtenstein common eu LIECHTENSTEIN
|
||||
link url tinymce eu URL lotura
|
||||
list common eu Zerrenda
|
||||
list members common eu Zerrendako partaideak
|
||||
lithuania common eu LITUANIA
|
||||
loading files tinymce eu Fitxategiak kargatzen
|
||||
local common eu Lokal
|
||||
login common eu Sartu
|
||||
loginid common eu Erabiltzaile izena
|
||||
@ -417,7 +347,6 @@ malta common eu MALTA
|
||||
march common eu Martxoa
|
||||
marshall islands common eu MARSHALL ISLANDS
|
||||
martinique common eu MARTINIQUE
|
||||
match case tinymce eu Maiuskulak/minuskulak
|
||||
mauritania common eu MAURITANIA
|
||||
mauritius common eu MAURITIUS
|
||||
max number of icons in navbar common eu Ikono kopuru maximoa barran
|
||||
@ -425,18 +354,15 @@ may common eu Maiatza
|
||||
mayotte common eu MAYOTTE
|
||||
medium common eu Erdia
|
||||
menu common eu Menua
|
||||
merge table cells tinymce eu Taulako gelaxkak konbinatu
|
||||
message common eu Mezua
|
||||
mexico common eu MEXIKO
|
||||
micronesia, federated states of common eu MICRONESIA FEDERATED STATES OF
|
||||
mkdir failed. tinymce eu Direktoria ezin izan da egin
|
||||
moldova, republic of common eu MOLDOVAKO ERREPUBLIKA
|
||||
monaco common eu MONACO
|
||||
monday common eu Astelehena
|
||||
mongolia common eu MONGOLIA
|
||||
montserrat common eu MONTSERRAT
|
||||
morocco common eu MAROKO
|
||||
move tinymce eu Eraman
|
||||
mozambique common eu MOZAMBIQUE
|
||||
multiple common eu anizkoitza
|
||||
myanmar common eu NYANMAR
|
||||
@ -449,11 +375,6 @@ netherlands antilles common eu NETHERLANDS ANTILLES
|
||||
never common eu Inoiz
|
||||
new caledonia common eu CALEDONIA BERRIA
|
||||
new entry added sucessfully common eu Sarrera berria egoki txertatu da
|
||||
new file name missing! tinymce eu Fitxitegi berriaren izena falta
|
||||
new file name: tinymce eu Fitxategi berriaren izena:
|
||||
new folder tinymce eu Karpeta berria
|
||||
new folder name missing! tinymce eu Karpeta berriaren izena falta
|
||||
new folder name: tinymce eu Karpeta berriaren izena:
|
||||
new main category common eu Kategoria nagusi berria
|
||||
new value common eu Balio berria
|
||||
new zealand common eu ZELANDA BERRIA
|
||||
@ -467,14 +388,7 @@ nigeria common eu NIGERIA
|
||||
niue common eu NIUE
|
||||
no common eu Ez
|
||||
no entries found, try again ... common eu Ez da sarrerarik aurkitu, saiatu berriro...
|
||||
no files... tinymce eu Ez dago fitxategirik...
|
||||
no history for this record common eu Ez dago historiarik erregistro honetarako
|
||||
no permission to create folder. tinymce eu Baimenik ez karpeta sortzeko.
|
||||
no permission to delete file. tinymce eu Baimenik ez fitxategia ezabatzeko.
|
||||
no permission to move files and folders. tinymce eu Baimenik ez fitxategiak eta karpetak lekuz aldatzeko.
|
||||
no permission to rename files and folders. tinymce eu Baimenik ez fitxategiak eta karpetak beizendatzeko.
|
||||
no permission to upload. tinymce eu Baimenik ez gora kargatzeko.
|
||||
no shadow tinymce eu Itzalik gabe
|
||||
no subject common eu Gaiarik gabe
|
||||
none common eu Bat ere ez
|
||||
norfolk island common eu NORFOLK IRLAK
|
||||
@ -494,12 +408,6 @@ oman common eu OMAN
|
||||
on mouse over common eu Xagua gainetik mugitzerakoan
|
||||
only private common eu pribatua soilik
|
||||
only yours common eu bakarrik zureak
|
||||
open file in new window tinymce eu Fitxategia leiho berri batean ireki
|
||||
open in new window tinymce eu Leiho berria ireki
|
||||
open in the window tinymce eu Leihoan ireki
|
||||
open in this window / frame tinymce eu Leiho honetan ireki / markoa
|
||||
open link in a new window tinymce eu Lotura leiho berri batean ireki
|
||||
open link in the same window tinymce eu Lotura leiho berean ireki
|
||||
open notify window common eu Abisu leihoa zabaldu
|
||||
ordered list common eu Ordenatutako zerrenda
|
||||
original common eu Jatorrizkoa
|
||||
@ -519,7 +427,6 @@ parent category common eu Goi kategoria
|
||||
password common eu Pasahitza
|
||||
password could not be changed common eu Pasahitza ezin izan da aldatu
|
||||
password has been updated common eu Pasahitza eguneratua izan da
|
||||
paste from word tinymce eu Word-etik itsatsi
|
||||
personal common eu Pertsonala
|
||||
peru common eu PERU
|
||||
philippines common eu FILIPINAK
|
||||
@ -551,11 +458,9 @@ remove selected accounts common eu Aukeratutako kontuak kendu
|
||||
rename common eu Berizendatu
|
||||
replace common eu Ordezkatu
|
||||
replace with common eu Ordezkatu -kin
|
||||
replace all tinymce eu Ordezkatu guztiak
|
||||
reunion common eu REUNION
|
||||
right common eu Eskuinean
|
||||
romania common eu RUMANIA
|
||||
rows tinymce eu Errenkadak
|
||||
russian federation common eu ERRUSIAKO FEDERAZIOA
|
||||
rwanda common eu RWANDA
|
||||
saint helena common eu SANTA HELENA
|
||||
@ -574,7 +479,6 @@ search %1 '%2' common eu Bilatu %1 '%2'
|
||||
search or select accounts common eu Bilatu aukeratutako kontuetan
|
||||
section common eu Sekzioa
|
||||
select common eu Aukeratu
|
||||
select all tinymce eu Guztiak aukeratu
|
||||
select all %1 %2 for %3 common eu Guztiak aukeratu %1 %2 %3tik
|
||||
select category common eu Aukeratu kategoria
|
||||
select date common eu Aukeratu eguna
|
||||
|
@ -16,7 +16,6 @@
|
||||
3 number of chars for day-shortcut jscalendar fi 3, just a number, don't translate -- RalfBecker 2006/03/14
|
||||
3 number of chars for month-shortcut jscalendar fi 3, just a number, don't translate -- RalfBecker 2006/03/14
|
||||
80 (http) admin fi 80 (http)
|
||||
a editor instance must be focused before using this command. tinymce fi Teksinkäsittelyalueella täytyy olla fokus ennen tämän komennon suorittamista.
|
||||
about common fi Tietoja
|
||||
about %1 common fi Tietoja sovelluksesta %1
|
||||
about egroupware common fi Tietoja eGroupwaresta
|
||||
@ -41,17 +40,10 @@ administration common fi Yll
|
||||
afghanistan common fi AFGANISTAN
|
||||
albania common fi ALBANIA
|
||||
algeria common fi ALGERIA
|
||||
align center tinymce fi Keskitys
|
||||
align full tinymce fi Pakotettu tasaus
|
||||
align left tinymce fi Vasen tasaus
|
||||
align right tinymce fi Oikea tasaus
|
||||
alignment tinymce fi Asettelu
|
||||
all common fi Kaikki
|
||||
all fields common fi kaikki kentät
|
||||
all occurrences of the search string was replaced. tinymce fi Kaikkia esiintyneet hakuehdot korvattiin
|
||||
alphabet common fi a,b,c,d,e,f,g,h,i,j,k,l,m,n,o,p,q,r,s,t,u,v,w,x,y,z,å,ä,ö
|
||||
alternate style-sheet: common fi Vaihtoehtoinen tyylisivu:
|
||||
alternative image tinymce fi Vaihtoehtoinen kuva
|
||||
american samoa common fi AMERIKAN SAMOA
|
||||
andorra common fi ANDORRA
|
||||
angola common fi ANGOLA
|
||||
@ -91,14 +83,12 @@ belgium common fi BELGIA
|
||||
belize common fi BELIZE
|
||||
benin common fi BENIN
|
||||
bermuda common fi BERMUDA
|
||||
bg color tinymce fi Bg color
|
||||
bhutan common fi BHUTAN
|
||||
blocked, too many attempts common fi Pääsy estetty, liian monta yritystä
|
||||
bold common fi Lihavoi
|
||||
bold.gif common fi bold.gif
|
||||
bolivia common fi BOLIVIA
|
||||
border common fi Reuna
|
||||
border color tinymce fi Border color
|
||||
bosnia and herzegovina common fi BOSNIA AND HERZEGOVINA
|
||||
botswana common fi BOTSWANA
|
||||
bottom common fi Bottom
|
||||
@ -125,9 +115,6 @@ category %1 has been added ! common fi Kategoria %1 on lis
|
||||
category %1 has been updated ! common fi Kategoria %1 on päivitetty!
|
||||
cayman islands common fi CAYMANSAARET
|
||||
cc common fi Kopio
|
||||
cellpadding tinymce fi Solun reunan ja sisällön väli
|
||||
cellspacing tinymce fi Solujen väli
|
||||
center tinymce fi Keskelle
|
||||
centered common fi keskitetty
|
||||
central african republic common fi KESKI-AFRIKAN TASAVALTA
|
||||
chad common fi TSAD
|
||||
@ -142,12 +129,9 @@ choose a background color for the icons common fi Valitse taustav
|
||||
choose a background image. common fi Valitse taustakuva
|
||||
choose a background style. common fi Valitse taustan tyyli
|
||||
choose a text color for the icons common fi Valitse ikoneiden tekstien väri
|
||||
choose directory to move selected folders and files to. tinymce fi Valitse hakemisto johon valitut kansiot ja tiedostot siirretään.
|
||||
choose the category common fi Valitse kategoria
|
||||
choose the parent category common fi Valitse yläkategoria
|
||||
christmas island common fi JOULUSAARI
|
||||
class tinymce fi Luokka
|
||||
cleanup messy code tinymce fi Siisti koodi
|
||||
clear common fi Tyhjennä
|
||||
clear form common fi Tyhjennä lomake
|
||||
click common fi Napsauta
|
||||
@ -157,20 +141,14 @@ close common fi Sulje
|
||||
close sidebox common fi Sulje reunavalikko
|
||||
cocos (keeling) islands common fi KOOKOSSAARET (KEELING)
|
||||
colombia common fi KOLUMBIA
|
||||
columns tinymce fi Sarakkeet
|
||||
comment tinymce fi kommentti
|
||||
common preferences common fi Yleiset säädöt
|
||||
comoros common fi KOMORIT
|
||||
company common fi Yhtiö
|
||||
configuration problem tinymce fi Konfiguraatio ongelma
|
||||
congo common fi KONGO
|
||||
congo, the democratic republic of the common fi KONGON DEMOKRAATTINEN KANSANTASAVALTA
|
||||
contacting server... common fi Otetaan yhteyttä palvelimeen...
|
||||
cook islands common fi COOKSAARET
|
||||
copy common fi kopioi
|
||||
copy table row tinymce fi Kopioi taulun rivi
|
||||
copy/cut/paste is not available in mozilla and firefox.\ndo you want more information about this issue? tinymce fi Copy/Cut/Paste is not available in Mozilla and Firefox.\nDo you want more information about this issue?
|
||||
copy/cut/paste is not available in mozilla and firefox.ndo you want more information about this issue? tinymce fi Kopioi / Leikkaa / Liitä toiminnot eivät ole käytettävissä Mozilla ja Firefox selaimilla.\n Haluatko lisätietoa tästä ongelmasta?
|
||||
costa rica common fi COSTA RICA
|
||||
cote d ivoire common fi NORSUNLUURANNIKKO
|
||||
could not contact server. operation timed out! common fi Palvelimeen ei saatu yhteyttä. Pyyntö aikakatkaistiin!
|
||||
@ -181,16 +159,13 @@ cuba common fi KUUBA
|
||||
currency common fi Valuutta
|
||||
current common fi Nykyinen
|
||||
current users common fi Nykyiset käyttäjät
|
||||
cut table row tinymce fi Cut table row
|
||||
cyprus common fi KYPROS
|
||||
czech republic common fi TSEKKI
|
||||
date common fi Päivämäärä
|
||||
date due common fi Takaraja
|
||||
date modified tinymce fi Muokkauspäivä
|
||||
date selection: jscalendar fi Päivämäärän valinta:
|
||||
datetime port.<br>if using port 13, please set firewall rules appropriately before submitting this page.<br>(port: 13 / host: 129.6.15.28) admin fi Datetime-portti.<br>Jos käytät porttia 13, määrittele palomuuriasetukset oikein ennen kuin lähetät tämän lomakkeen tiedot.<br>(Port: 13 / Host: 129.6.15.28)
|
||||
december common fi Joulukuu
|
||||
default tinymce fi Oletus
|
||||
default category common fi Oletuskategoria
|
||||
default height for the windows common fi Ikkunan oletuskorkeus
|
||||
default width for the windows common fi Ikkunan oletusleveys
|
||||
@ -201,10 +176,7 @@ description common fi Kuvaus
|
||||
detail common fi Yksityiskohta
|
||||
details common fi Yksityiskohdat
|
||||
diable the execution a bugfixscript for internet explorer 5.5 and higher to show transparency in png-images? common fi Ota Internet Explorer 5.5 ja uudempien png-bugin korjausskripti pois käytöstä?
|
||||
direction tinymce fi Suunta
|
||||
direction left to right common fi Suunta vasemmalta oikealle
|
||||
direction right to left tinymce fi Suunta oikealta vasemmalle
|
||||
directory tinymce fi Hakemisto
|
||||
disable internet explorer png-image-bugfix common fi Ota Internet Explorerin png-bugin korjausskripti pois käytöstä
|
||||
disable slider effects common fi Ota liukuefektit pois käytöstä
|
||||
disable the animated slider effects when showing or hiding menus in the page? opera and konqueror users will probably must want this. common fi Ota valikoiden näyttämisen ja piilottamisen liukuefekti pois käytöstä? Operan ja Konquerorin käyttäjät haluavat tämän yleensä pois.
|
||||
@ -213,7 +185,6 @@ disabled common fi Ei k
|
||||
display %s first jscalendar fi Näytä %s ensimmäistä
|
||||
djibouti common fi DJIBOUTI
|
||||
do you also want to delete all subcategories ? common fi Haluatko poistaa myös aliluokat?
|
||||
do you want to use the wysiwyg mode for this textarea? tinymce fi Haluatko käyttää WYSIWYG moodia tähän tekstialueeseen?
|
||||
doctype: common fi Dokumentin muoto:
|
||||
document properties common fi Asiakirjan ominaisuudet
|
||||
document title: common fi Asiakirjan nimi:
|
||||
@ -223,7 +194,6 @@ domestic common fi Kotimainen
|
||||
dominica common fi DOMINICA
|
||||
dominican republic common fi DOMINIKAANINEN TASAVALTA
|
||||
done common fi Valmis
|
||||
down tinymce fi Alas
|
||||
drag to move jscalendar fi Vedä siirtääksesi
|
||||
e-mail common fi Sähköposti
|
||||
east timor common fi ITÄTIMORI
|
||||
@ -238,7 +208,6 @@ egypt common fi EGYPTI
|
||||
el salvador common fi EL SALVADOR
|
||||
email common fi Sähköposti
|
||||
email-address of the user, eg. "%1" common fi Käyttäjän sähköpostiosoite, esim. "%1"
|
||||
emotions tinymce fi Hymiöt
|
||||
enabled common fi Käytössä
|
||||
end date common fi Loppumispäivä
|
||||
end time common fi Loppumisaika
|
||||
@ -261,39 +230,15 @@ fax number common fi faksinumero
|
||||
february common fi Helmikuu
|
||||
fields common fi Kentät
|
||||
fiji common fi FIDJI
|
||||
file already exists. file was not uploaded. tinymce fi Tiedosto on jo olemassa. Tiedostoa ei ladattu.
|
||||
file exceeds the size limit tinymce fi Tiedostonkoko ylittää sallitut rajoitukset
|
||||
file manager tinymce fi Tiedostonhallinta
|
||||
file not found. tinymce fi Tiedostoa ei löydy.
|
||||
file was not uploaded. tinymce fi Tiedostoa ei ladattu.
|
||||
file with specified new name already exists. file was not renamed/moved. tinymce fi Tämän niminen tiedosto on jo olemassa, tiedosta ei uudelleen nimetty / siirretty.
|
||||
file(s) tinymce fi tiedosto(t)
|
||||
file: tinymce fi Tiedosto:
|
||||
files common fi Tiedostot
|
||||
files with this extension are not allowed. tinymce fi Tiedostot joilla on tämä tiedostopääte, ovat kiellettyjä
|
||||
filter common fi Suodin
|
||||
find tinymce fi Etsi
|
||||
find again tinymce fi Etsi uudestaan
|
||||
find what tinymce fi Mistä löytyy
|
||||
find next tinymce fi Etsi seuraava
|
||||
find/replace tinymce fi Etsi / Korvaa
|
||||
finland common fi SUOMI
|
||||
first name common fi Etunimi
|
||||
first name of the user, eg. "%1" common fi käyttäjän etunimi, esim. "%1"
|
||||
first page common fi Ensimmäinen sivu
|
||||
firstname common fi Etunimi
|
||||
fixme! common fi KORJAA MINUT!
|
||||
flash files tinymce fi Flash tiedostot
|
||||
flash properties tinymce fi Flash asetukset
|
||||
flash-file (.swf) tinymce fi Flash tiedosto (.swf)
|
||||
folder tinymce fi Kansio
|
||||
folder already exists. common fi Kansio on jo olemassa
|
||||
folder name missing. tinymce fi Kansion nimi puuttuu
|
||||
folder not found. tinymce fi Kansiota ei löydy.
|
||||
folder with specified new name already exists. folder was not renamed/moved. tinymce fi Tämän niminen kansio on jo olemassa, kansiota ei uudelleen nimetty / siirretty.
|
||||
folder(s) tinymce fi kansio(t)
|
||||
for mouse out tinymce fi kun hiiri ei ole päällä
|
||||
for mouse over tinymce fi kun hiiri on päällä
|
||||
force selectbox common fi Näytä valintaluettelo
|
||||
france common fi RANSKA
|
||||
french guiana common fi RANSKAN GUANA
|
||||
@ -350,30 +295,15 @@ iceland common fi ISLANTI
|
||||
iespell not detected. click ok to go to download page. common fi ieSpell:ä ei havaittu, paina Ok siirtyäksesi lataussivulle
|
||||
if the clock is enabled would you like it to update it every second or every minute? common fi Jos kello on käytössä, päivitetäänkö se sekunnin vai minuutin välein?
|
||||
if there are some images in the background folder you can choose the one you would like to see. common fi Jos taustakuvahakemistossa on kuvia, voit valita mitä kuvaa haluat käyttää.
|
||||
image description tinymce fi Kuvan selite
|
||||
image title tinymce fi Kuvan nimi
|
||||
image url common fi Kuvan URL
|
||||
indent tinymce fi Sisennys
|
||||
india common fi INTIA
|
||||
indonesia common fi INDONEESIA
|
||||
insert tinymce fi Lisää
|
||||
insert 'return false' common fi Lisää 'return false'
|
||||
insert / edit flash movie tinymce fi Lisää / muokkaa Flash
|
||||
insert / edit horizontale rule tinymce fi Lissää / muokkaa vaakasuoraa viivaa
|
||||
insert all %1 addresses of the %2 contacts in %3 common fi Lisää kaikki %1 osoitetta %2 yhteystiedosta kohteeseen %3
|
||||
insert column after common fi Lisää sarake jälkeen
|
||||
insert column before common fi Lisää sarake edelle
|
||||
insert date tinymce fi Lisää päivämäärä
|
||||
insert emotion tinymce fi Lisää hymiö
|
||||
insert file tinymce fi Lisää tiedosto
|
||||
insert link to file tinymce fi Lisää linkki tiedostoon
|
||||
insert row after common fi Lisää rivi jälkeen
|
||||
insert row before common fi Lisää rivi edelle
|
||||
insert time tinymce fi Lisää kellonaika
|
||||
insert/edit image tinymce fi Lisää/muokkaa kuvaa
|
||||
insert/edit link tinymce fi Lisää/muokkaa linkkiä
|
||||
insert/modify table tinymce fi Lisää/muokkaa taulua
|
||||
inserts a new table tinymce fi Lisää uusi taulu
|
||||
international common fi Kansainvälinen
|
||||
invalid filename common fi Virheellinen tiedostonnimi
|
||||
invalid ip address common fi Virheellinen IP-osoite
|
||||
@ -391,7 +321,6 @@ jamaica common fi JAMAIKA
|
||||
january common fi Tammikuu
|
||||
japan common fi JAPANI
|
||||
jordan common fi JORDANIA
|
||||
js-popup tinymce fi JS-Popup
|
||||
july common fi Heinäkuu
|
||||
jun common fi Kes
|
||||
june common fi Kesäkuu
|
||||
@ -424,11 +353,9 @@ libyan arab jamahiriya common fi LIBYAN ARAB JAMAHIRIYA
|
||||
license common fi Lisenssi
|
||||
liechtenstein common fi LICHTENSTEIN
|
||||
line %1: '%2'<br><b>csv data does not match column-count of table %3 ==> ignored</b> common fi Rivi %1: '%2'<br><b>csv tiedot eivät täsmää taulukon laskettuihin sarakkeisiin %3 ==> ohita</b>
|
||||
link url tinymce fi Linkin URL
|
||||
list common fi Luettelo
|
||||
list members common fi Lista jäsenistä
|
||||
lithuania common fi LIETTUIA
|
||||
loading files tinymce fi Ladataan tiedostoja
|
||||
local common fi Paikallinen
|
||||
login common fi Kirjaudu
|
||||
loginid common fi Sisäänkirjautumistunnus
|
||||
@ -443,7 +370,6 @@ mail domain, eg. "%1" common fi s
|
||||
main category common fi Pääkategoria
|
||||
main screen common fi Päänäyttö
|
||||
maintainer common fi Ylläpitäjä
|
||||
make window resizable tinymce fi Tee ikkunankoosta muokattava
|
||||
malawi common fi MALAWI
|
||||
malaysia common fi MALESIA
|
||||
maldives common fi MALEDIIVIT
|
||||
@ -452,7 +378,6 @@ malta common fi MALTA
|
||||
march common fi Maaliskuu
|
||||
marshall islands common fi MARSHALL-SAARET
|
||||
martinique common fi MARTINIQUE
|
||||
match case tinymce fi Huomioi kirjankoko
|
||||
mauritania common fi MAURITANIA
|
||||
mauritius common fi MAURITIUS
|
||||
max number of icons in navbar common fi Navigaatiopalkin kuvakkeiden maksimimäärä
|
||||
@ -460,19 +385,16 @@ may common fi Toukokuu
|
||||
mayotte common fi MAYOTTE
|
||||
medium common fi Normaali
|
||||
menu common fi Valikko
|
||||
merge table cells tinymce fi Merge table cells
|
||||
message common fi Viesti
|
||||
mexico common fi MEKSIKO
|
||||
micronesia, federated states of common fi MIKRONESIAN LIITTOVALTIO
|
||||
minute common fi minuutti
|
||||
mkdir failed. tinymce fi hakemiston luonti epäonnistui
|
||||
moldova, republic of common fi MOLDOVAN TASAVALTA
|
||||
monaco common fi MONACO
|
||||
monday common fi Maanantai
|
||||
mongolia common fi MONGOLIA
|
||||
montserrat common fi MONTSERRAT
|
||||
morocco common fi MAROKKO
|
||||
move tinymce fi Siirrä
|
||||
mozambique common fi MOSAMBIK
|
||||
myanmar common fi MYANMAR
|
||||
name common fi Nimi
|
||||
@ -485,11 +407,6 @@ netherlands antilles common fi ALANKOMAIDEN ANTILLIT
|
||||
never common fi Ei koskaan
|
||||
new caledonia common fi UUSI KALEDONIA
|
||||
new entry added sucessfully common fi Uusi tietue lisätty
|
||||
new file name missing! tinymce fi Uusi tiedoston nimi puuttuu!
|
||||
new file name: tinymce fi Uusi tiedoston nimi
|
||||
new folder tinymce fi Uusi kansio
|
||||
new folder name missing! tinymce fi Uusi kansion nimi puuttuu!
|
||||
new folder name: tinymce fi Uusi kansion nimi
|
||||
new main category common fi Uusi pääluokka
|
||||
new value common fi Uusi arvo
|
||||
new zealand common fi UUSI SEELANTI
|
||||
@ -503,15 +420,8 @@ nigeria common fi NIGERIA
|
||||
niue common fi NIUE
|
||||
no common fi Ei
|
||||
no entries found, try again ... common fi ei tietueita, yritä uudelleen ...
|
||||
no files... tinymce fi Ei tiedostoja
|
||||
no history for this record common fi Tällä tietueella ei ole historiatietoja
|
||||
no permission to create folder. tinymce fi Ei lupaa luoka kansiota.
|
||||
no permission to delete file. tinymce fi Ei lupaa poistaa tiedostoa.
|
||||
no permission to move files and folders. tinymce fi Ei lupaa siirtää tiedostoja ja kansioita.
|
||||
no permission to rename files and folders. tinymce fi Ei lupaa nimetä tiedostoja ja kansioita uudelleen.
|
||||
no permission to upload. tinymce fi Ei lupaa ladata.
|
||||
no savant2 template directories were found in: common fi Savant2 mallipohjan hakemistoa ei löydy:
|
||||
no shadow tinymce fi Ei varjostusta
|
||||
no subject common fi Ei aihetta
|
||||
none common fi Ei mitään
|
||||
norfolk island common fi NORFOLKSAARET
|
||||
@ -530,24 +440,14 @@ old value common fi Vanha arvo
|
||||
oman common fi OMAN
|
||||
on *nix systems please type: %1 common fi *nix-järjestelmissä voit kirjoittaa: %1
|
||||
on mouse over common fi Hiiri osoittaa
|
||||
only files with extensions are permited, e.g. "imagefile.jpg". tinymce fi Vain tiedostopäätteelliset tiedostot ovat sallittuja, esim. "kuva.jpg".
|
||||
only private common fi vain yksityiset
|
||||
only yours common fi vain omat
|
||||
open file in new window tinymce fi Avaa tiedosto uuteen ikkunaan
|
||||
open in new window tinymce fi Avaa uusi ikkuna
|
||||
open in parent window / frame tinymce fi Avaa nykyiseen ikkunaan / kehykseen
|
||||
open in the window tinymce fi Avaa ikkunaan
|
||||
open in this window / frame tinymce fi Avaa tähän ikkunaan / kehykseen
|
||||
open in top frame (replaces all frames) tinymce fi Avaa pääkehykseen (korvaa kaikki kehykset)
|
||||
open link in a new window tinymce fi Avaa linkki uudessa ikkunassa
|
||||
open link in the same window tinymce fi Avaa linkki samassa ikkunassa
|
||||
open notify window common fi Avaa huomautusikkuna
|
||||
open popup window common fi Avaa ponnahdusikkuna
|
||||
open sidebox common fi Avaa reunavalikko
|
||||
ordered list common fi Numeroitu lista
|
||||
original common fi Alkuperäinen
|
||||
other common fi Muu
|
||||
outdent tinymce fi Poista sisennys
|
||||
overview common fi Yleiskuva
|
||||
owner common fi Omistaja
|
||||
page common fi Sivu
|
||||
@ -568,11 +468,6 @@ password must contain at least %1 numbers common fi Salasanassa pit
|
||||
password must contain at least %1 special characters common fi Salasanassa pitää olla vähintään %1 erikoismerkkiä
|
||||
password must contain at least %1 uppercase letters common fi Salasanassa pitää olla vähintään %1 isoa kirjainta
|
||||
password must have at least %1 characters common fi Salasanassa pitää olla vähintään %1 merkkiä
|
||||
paste as plain text tinymce fi Liitä pelkkänä tekstinä
|
||||
paste from word tinymce fi Liitä Word:sta
|
||||
paste table row after tinymce fi Liitä taulun rivi jälkeen
|
||||
paste table row before tinymce fi Liitä taulun rivi ennen
|
||||
path not found. tinymce fi Polkua ei löytynyt
|
||||
path to user and group files has to be outside of the webservers document-root!!! common fi Käyttäjä- ja ryhmätiedostojen TÄYTYY OLLA www-palvelimen asiakirjajuuren ulkopuolella!!!
|
||||
pattern for search in addressbook common fi Osoitekirjasta etsittävä merkkijono
|
||||
pattern for search in calendar common fi Kalenterista etsittävä merkkijono
|
||||
@ -586,17 +481,13 @@ phpgwapi common fi eGroupWare API
|
||||
pitcairn common fi PITCAIRN
|
||||
please %1 by hand common fi Suorita %1 käsin
|
||||
please enter a name common fi Anna nimi!
|
||||
please enter the caption text tinymce fi Anna otsikkoteksti
|
||||
please insert a name for the target or choose another option. tinymce fi Lisää kohteelle nimi tai valitse toinen toiminto
|
||||
please run setup to become current common fi Aja asennus nykyiseen
|
||||
please select common fi Valitse
|
||||
please set your global preferences common fi Määrittele yleiset asetukset!
|
||||
please set your preferences for this application common fi Määrittele tämän sovelluksen asetukset!
|
||||
please wait... common fi Odota hetki...
|
||||
poland common fi PUOLA
|
||||
popup url tinymce fi Popup URL
|
||||
portugal common fi PORTUGALI
|
||||
position (x/y) tinymce fi Sijainti (X/Y)
|
||||
postal common fi Posti
|
||||
powered by egroupware version %1 common fi Tämä on <a href="http://www.egroupware.org">eGroupWare</a> versio %1
|
||||
powered by phpgroupware version %1 common fi Tämä on eGroupWare versio %1
|
||||
@ -604,7 +495,6 @@ preferences common fi Asetukset
|
||||
preferences for the idots template set common fi idots-mallipohjan asetukset
|
||||
prev. month (hold for menu) jscalendar fi Edellinen kuukausi (odota, niin näet valikon)
|
||||
prev. year (hold for menu) jscalendar fi Edellinen vuosi (odota, niin näet valikon)
|
||||
preview tinymce fi Esikatselu
|
||||
previous page common fi Edelliselle sivu
|
||||
primary style-sheet: common fi Ensisijainen tyylisivu:
|
||||
print common fi Tulosta
|
||||
@ -618,26 +508,18 @@ qatar common fi QATAR
|
||||
read common fi Lue
|
||||
read this list of methods. common fi Lue metodien luettelo.
|
||||
reading common fi luetaan
|
||||
redo tinymce fi Suorita uudelleen
|
||||
refresh tinymce fi Päivitä
|
||||
reject common fi Hylkää
|
||||
remove col tinymce fi Poista sarake
|
||||
remove selected accounts common fi poista valitut käyttäjätunnukset
|
||||
remove shortcut common fi Poista pikakuvake
|
||||
rename common fi Nimeä uudelleen
|
||||
rename failed tinymce fi Uudelleen nimeäminen epäonnistui
|
||||
replace common fi Korvaa
|
||||
replace with common fi Korvataan merkkijonolla:
|
||||
replace all tinymce fi Korvaa kaikki
|
||||
returns a full list of accounts on the system. warning: this is return can be quite large common fi Palauttaa täyden käyttäjäluettelon järjestelmästä. Varoitus: palautus voi olla aika suuri
|
||||
returns an array of todo items common fi Palauttaa tehtävien taulukon
|
||||
returns struct of users application access common fi Palauttaa käyttäjien oikeudet sovelluksiin
|
||||
reunion common fi REUNION
|
||||
right common fi Oikea
|
||||
rmdir failed. tinymce fi Hakemiston poistaminen epäonnistui
|
||||
romania common fi ROMANIA
|
||||
rows tinymce fi Rivit
|
||||
run spell checking tinymce fi Suorita oikoluku
|
||||
russian federation common fi VENÄJÄN FEDERAATIO
|
||||
rwanda common fi RUANDA
|
||||
saint helena common fi SAINT HELENA
|
||||
@ -659,7 +541,6 @@ search or select multiple accounts common fi Etsi tai valitse useita k
|
||||
second common fi toinen
|
||||
section common fi Osio
|
||||
select common fi Valitse
|
||||
select all tinymce fi Valitse kaikki
|
||||
select all %1 %2 for %3 common fi Valitse kaikki %1 %2 for %3
|
||||
select category common fi Valitse kategoria
|
||||
select date common fi Valitse päivämäärä
|
||||
@ -687,23 +568,17 @@ show all common fi n
|
||||
show all categorys common fi Näytä kaikki kategoriat
|
||||
show clock? common fi Näytä kello?
|
||||
show home and logout button in main application bar? common fi Näytä etusivu- ja kirjautumispainike päävalikossa?
|
||||
show locationbar tinymce fi Näytä locationbar
|
||||
show logo's on the desktop. common fi Näytä logo työpöydällä
|
||||
show menu common fi näytä valikko
|
||||
show menubar tinymce fi Näytä päävalikko
|
||||
show page generation time common fi Näytä sivun tekemiseen kulunut aika
|
||||
show page generation time on the bottom of the page? common fi Näytä sivun tekemiseen kulunut aika sivun alareunassa?
|
||||
show page generation time? common fi Näytä kauanko sivua luotiin?
|
||||
show scrollbars tinymce fi Näytä scrollbarit
|
||||
show statusbar tinymce fi Näytä statusbar
|
||||
show the logo's of egroupware and x-desktop on the desktop. common fi Näytä eGroupWaren ja X-Desktopin logot työpöydällä
|
||||
show toolbars tinymce fi Näytä toolbar
|
||||
show_more_apps common fi show_more_apps
|
||||
showing %1 common fi näytetään %1
|
||||
showing %1 - %2 of %3 common fi näytetään %1 - %2 of %3
|
||||
sierra leone common fi SIERRA LEONE
|
||||
singapore common fi SINGAPORE
|
||||
size tinymce fi Koko
|
||||
slovakia common fi SLOVAKIA
|
||||
slovenia common fi SLOVENIA
|
||||
solomon islands common fi SALOMONSAARET
|
||||
@ -712,7 +587,6 @@ sorry, your login has expired login fi Istuntosi on vanhentunut
|
||||
south africa common fi ETELÄAFRIKKA
|
||||
south georgia and the south sandwich islands common fi ETELÄ-GEORGIA JA ETELÄISET SANDWICH-SAARET
|
||||
spain common fi ESPANJA
|
||||
split table cells tinymce fi Split table cells
|
||||
sri lanka common fi SRI LANKA
|
||||
start date common fi Alkupäivä
|
||||
start time common fi Alkuaika
|
||||
@ -720,7 +594,6 @@ start with common fi alkaa
|
||||
starting up... common fi Aloitetaan
|
||||
status common fi Tila
|
||||
stretched common fi venytetty
|
||||
striketrough tinymce fi Yliviivaa
|
||||
subject common fi Aihe
|
||||
submit common fi Lähetä
|
||||
substitutions and their meanings: common fi Korvaukset ja niiden merkitykset:
|
||||
@ -732,24 +605,18 @@ swaziland common fi SWAZIMAA
|
||||
sweden common fi RUOTSI
|
||||
switzerland common fi SVEITSI
|
||||
syrian arab republic common fi SYYRIAN ARABITASAVALTA
|
||||
table cell properties tinymce fi Taulukon solujen ominaisuudet
|
||||
table properties common fi Taulukon ominaisuudet
|
||||
table row properties tinymce fi Taulukon rivien ominaisuudet
|
||||
taiwan common fi TAIWAN / TAIPEI
|
||||
tajikistan common fi TAJIKISTAN
|
||||
tanzania, united republic of common fi TANSANIAN YHDISTYNYT TASAVALTA
|
||||
target tinymce fi Kohde
|
||||
text color: common fi Tekstin väri:
|
||||
thailand common fi THAIMAA
|
||||
the api is current common fi API on ajan tasalla
|
||||
the api requires an upgrade common fi API tarvitsee päivityksen
|
||||
the following applications require upgrades common fi Seuraavat sovellukset tarvitsevat päivityksen
|
||||
the mail server returned common fi Sähköpostipalvelin palautti
|
||||
the search has been compleated. the search string could not be found. tinymce fi Haku on päättynyt, etsittyä merkkijonoa ei löydetty.
|
||||
this application is current common fi Tämä sovellus on ajan tasalla
|
||||
this application requires an upgrade common fi Tämä sovellus tarvitsee päivityksen
|
||||
this is just a template button tinymce fi Tämä on mallipohja painike
|
||||
this is just a template popup tinymce fi Tämä on mallipohja popup
|
||||
this name has been used already common fi Nimi on jo käytössä!
|
||||
thursday common fi Torstai
|
||||
tiled common fi pinottu
|
||||
@ -764,7 +631,6 @@ to go back to the msg list, click <a href= %1 >here</a> common fi To siirty
|
||||
today common fi Tänään
|
||||
todays date, eg. "%1" common fi tämä päivämäärä, esim. "%1"
|
||||
toggle first day of week jscalendar fi Vaihda viikon alkupäivää
|
||||
toggle fullscreen mode tinymce fi Vaihda kokonäytön käyttöön
|
||||
togo common fi TOGO
|
||||
tokelau common fi TOKELAU
|
||||
tonga common fi TONGA
|
||||
@ -784,29 +650,21 @@ uganda common fi UGANDA
|
||||
ukraine common fi UKRAINA
|
||||
underline common fi Alleviivaa
|
||||
underline.gif common fi underline.gif
|
||||
undo tinymce fi Peruuta
|
||||
united arab emirates common fi YHDISTYNEET ARABIEMIRAATIT
|
||||
united kingdom common fi YHDISTYNYT KUNINGASKUNTA
|
||||
united states common fi YHDYSVALLAT
|
||||
united states minor outlying islands common fi YHDYSVALTOJEN SAARIOSAVALTIOT
|
||||
unknown common fi Tuntematon
|
||||
unlink tinymce fi Poista linkki
|
||||
unlink failed. tinymce fi Linkin poistaminen epäonnistui
|
||||
unordered list tinymce fi Numeroimaton lista
|
||||
up tinymce fi Ylös
|
||||
update common fi Lisää
|
||||
update the clock per minute or per second common fi Päivitetään kello minuutin tai sekunnin välein
|
||||
upload common fi Lataa
|
||||
upload directory does not exist, or is not writeable by webserver common fi Lataus hakemistoa ei löydy tai palvelin ei voi kirjoittaa sinne.
|
||||
uploading... tinymce fi Ladataan...
|
||||
url common fi URL
|
||||
uruguay common fi URUGUAY
|
||||
use button to search for common fi käytä painiketta etsiäksesi
|
||||
use button to search for address common fi käytä painiketta etsiäksesi osoitteita
|
||||
use button to search for calendarevent common fi käytä painiketta etsiäksesi kalenteritapahtumaa
|
||||
use button to search for project common fi käytä painiketta etsiäksesi projektia
|
||||
use ctrl and/or shift to select multiple items. tinymce fi Käytä Ctrl ja / tai Shift painikkeita valitaksesi useita kohteita.
|
||||
use ctrl+v on your keyboard to paste the text into the window. tinymce fi Paina CTRL + V liittääksesi tekstiä ikkunaan
|
||||
user common fi Käyttäjä
|
||||
user accounts common fi käyttäjätilit
|
||||
user groups common fi käyttäjäryhmät
|
||||
@ -817,19 +675,16 @@ uzbekistan common fi UZBEKISTAN
|
||||
vanuatu common fi VANUATU
|
||||
venezuela common fi VENEZUELA
|
||||
version common fi Versio
|
||||
vertical alignment tinymce fi Vertical alignment
|
||||
viet nam common fi VIETNAM
|
||||
view common fi Näytä
|
||||
virgin islands, british common fi NEITSYSTSAARET, BRITTILÄISET
|
||||
virgin islands, u.s. common fi NEITSYTSAARET, U.S.
|
||||
wallis and futuna common fi WALLIS JA FUTUNA
|
||||
warning!n renaming or moving folders and files will break existing links in your documents. continue? tinymce fi Varoitus!\n Kansion uudelleen nimeäminen tai siirtäminen voi rikkoa nykyisten dokumenttien linkitykset. Haluatko varmasti jatkaa?
|
||||
wednesday common fi Keskiviikko
|
||||
welcome common fi Tervetuloa
|
||||
western sahara common fi LÄNSISAHARA
|
||||
which groups common fi mitkä ryhmät
|
||||
width common fi Leveys
|
||||
window name tinymce fi Ikkunan nimi
|
||||
wk jscalendar fi vk
|
||||
work email common fi työsähköposti
|
||||
would you like to display the page generation time at the bottom of every window? common fi Näytetään sivun alalaidassa kuinka kauan sivua luotiin?
|
||||
@ -847,7 +702,6 @@ you have not entered participants common fi Et ole m
|
||||
you have selected an invalid date common fi Olet valinnut virheellisen päivämäärän!
|
||||
you have selected an invalid main category common fi Olet valinnut virheellisen pääluokan!
|
||||
you have successfully logged out common fi Olet kirjautunut ulos
|
||||
you must enter the url tinymce fi Sinun pitää antaa URL
|
||||
you need to add the webserver user '%1' to the group '%2'. common fi Lisää www-palvelimen käyttäjä '%1' ryhmään '%2'.
|
||||
your message could <b>not</b> be sent!<br> common fi Viestiä <b>ei</b> voitu lähettää!<br>
|
||||
your message has been sent common fi Viesti on lähetetty
|
||||
|
@ -20,7 +20,6 @@
|
||||
3 number of chars for day-shortcut jscalendar fr 3 nombre de caractères pour le raccourci jour
|
||||
3 number of chars for month-shortcut jscalendar fr 3 nombre de caractères pour le raccourci mois
|
||||
80 (http) admin fr 80 (http)
|
||||
a editor instance must be focused before using this command. tinymce fr Une instance de l'éditeur doit être désignée avant d'utiliser cette commande.
|
||||
about common fr A propos de
|
||||
about %1 common fr A propos de %1
|
||||
about egroupware common fr A propos d'eGroupware
|
||||
@ -46,17 +45,10 @@ administration common fr Administration
|
||||
afghanistan common fr AFGHANISTAN
|
||||
albania common fr ALBANIE
|
||||
algeria common fr ALGERIE
|
||||
align center tinymce fr Aligner au centre
|
||||
align full tinymce fr Justifier
|
||||
align left tinymce fr Aligner à gauche
|
||||
align right tinymce fr Aligner à droite
|
||||
alignment tinymce fr Alignement
|
||||
all common fr Tout
|
||||
all fields common fr tous les champs
|
||||
all occurrences of the search string was replaced. tinymce fr Toutes les occurences de la chaîne ont été remplacées.
|
||||
alphabet common fr a,b,c,d,e,f,g,h,i,j,k,l,m,n,o,p,q,r,s,t,u,v,w,x,y,z
|
||||
alternate style-sheet: common fr Feuille de style alternative:
|
||||
alternative image tinymce fr Image alternative
|
||||
american samoa common fr SAMOA AMERICAINES
|
||||
andorra common fr ANDORRE
|
||||
angola common fr ANGOLA
|
||||
@ -97,14 +89,12 @@ belgium common fr BELGIQUE
|
||||
belize common fr BELIZE
|
||||
benin common fr BENIN
|
||||
bermuda common fr BERMUDES
|
||||
bg color tinymce fr Bg color
|
||||
bhutan common fr BOUTAN
|
||||
blocked, too many attempts common fr Accès refusé car trop de tentatives infructueuses
|
||||
bold common fr Gras
|
||||
bold.gif common fr bold_fr.gif
|
||||
bolivia common fr BOLIVIE
|
||||
border common fr Bordure
|
||||
border color tinymce fr Border color
|
||||
bosnia and herzegovina common fr BOSNIE HERZEGOVINE
|
||||
botswana common fr BOTSWANA
|
||||
bottom common fr Bas
|
||||
@ -132,9 +122,6 @@ category %1 has been added ! common fr La cat
|
||||
category %1 has been updated ! common fr La catégorie %1 a été mise à jour !
|
||||
cayman islands common fr ILES CAIMAN
|
||||
cc common fr Cc
|
||||
cellpadding tinymce fr Remplissage des cellules
|
||||
cellspacing tinymce fr Espacement des cellules
|
||||
center tinymce fr Centrer
|
||||
centered common fr centré
|
||||
central african republic common fr REPUBLIQUE DE CENTRAFRIQUE
|
||||
chad common fr TCHAD
|
||||
@ -149,12 +136,9 @@ choose a background color for the icons common fr Choisissez une couleur de fond
|
||||
choose a background image. common fr Choisissez une image de fond
|
||||
choose a background style. common fr Choisissez un style de fond
|
||||
choose a text color for the icons common fr Choisissez une couleur de texte pour les icônes
|
||||
choose directory to move selected folders and files to. tinymce fr Choisissez un répertoire pour y déplacer les fichiers et dossiers sélectionnés
|
||||
choose the category common fr Choisir la catégorie
|
||||
choose the parent category common fr Choisir la catégorie parent
|
||||
christmas island common fr ILE NOEL
|
||||
class tinymce fr Classe CSS
|
||||
cleanup messy code tinymce fr Nettoyer le code
|
||||
clear common fr Effacer
|
||||
clear form common fr Effacer le formulaire
|
||||
click common fr Cliquer
|
||||
@ -165,21 +149,15 @@ close common fr Fermer
|
||||
close sidebox common fr Fermer la barre de menu latérale
|
||||
cocos (keeling) islands common fr ILES COCOS (KEELING)
|
||||
colombia common fr COLOMBIE
|
||||
columns tinymce fr Colonnes
|
||||
comment tinymce fr Commentaire
|
||||
common preferences common fr Préférences communes
|
||||
comoros common fr COMORRES
|
||||
company common fr Société
|
||||
configuration problem tinymce fr Problème de configuration
|
||||
congo common fr CONGO
|
||||
congo, the democratic republic of the common fr CONGO, REPUBLIQUE DEMOCRATIQUE DU
|
||||
contacting server... common fr Connexion au serveur...
|
||||
cook islands common fr ILES COOK
|
||||
copy common fr Copier
|
||||
copy selection common fr Copier la sélection
|
||||
copy table row tinymce fr Copier ligne
|
||||
copy/cut/paste is not available in mozilla and firefox.\ndo you want more information about this issue? tinymce fr Copier/Couper/Coller non disponible dans Mozilla et Firefox.\nVoulez-vous plus d'informations sur ce problème?
|
||||
copy/cut/paste is not available in mozilla and firefox.ndo you want more information about this issue? tinymce fr Copier/Couper/Coller non disponible dans Mozilla et Firefox.\nVoulez-vous plus d'informations sur ce problème?
|
||||
costa rica common fr COSTA RICA
|
||||
cote d ivoire common fr COTE D IVOIRE
|
||||
could not contact server. operation timed out! common fr Impossible de connecter au serveur. Le délai d'attente est dépassé!
|
||||
@ -192,17 +170,14 @@ current common fr Courant
|
||||
current style common fr Style actuel
|
||||
current users common fr Utilisateurs connectés
|
||||
cut selection common fr Couper la sélection
|
||||
cut table row tinymce fr Couper ligne
|
||||
cyprus common fr CHYPRE
|
||||
czech republic common fr REPUBLIQUE TCHEQUE
|
||||
date common fr Date
|
||||
date due common fr Date butoire
|
||||
date modified tinymce fr Date modifiée
|
||||
date selection: jscalendar fr Sélection de la date :
|
||||
datetime port.<br>if using port 13, please set firewall rules appropriately before submitting this page.<br>(port: 13 / host: 129.6.15.28) admin fr Port Datetime.<br>Si vous utilisez le port 13, adaptez svp les règles de votre pare-feu avant de soumettre cette page.<br>(Port: 13 / Hôte: 129.6.15.28)
|
||||
december common fr Décembre
|
||||
decrease indent common fr Réduire l'indentation
|
||||
default tinymce fr Défaut
|
||||
default category common fr Catégorie par défaut
|
||||
default height for the windows common fr Hauteur par défaut de la fenêtre
|
||||
default width for the windows common fr Largeur par défaut de la fenêtre
|
||||
@ -213,10 +188,7 @@ description common fr Description
|
||||
detail common fr Détail
|
||||
details common fr Détails
|
||||
diable the execution a bugfixscript for internet explorer 5.5 and higher to show transparency in png-images? common fr Désactiver l'exécution d'un script correcteur pour Internet Explorer 5.5 et plus récent pour montrer la transparence des images PNG?
|
||||
direction tinymce fr Direction
|
||||
direction left to right common fr Direction de gauche à droite
|
||||
direction right to left tinymce fr Direction de droite à gauche
|
||||
directory tinymce fr Répertoire
|
||||
disable internet explorer png-image-bugfix common fr Désactiver png-image-bugfix d'Internet Explorer
|
||||
disable slider effects common fr Désactiver les effets de glisse
|
||||
disable the animated slider effects when showing or hiding menus in the page? opera and konqueror users will probably must want this. common fr Désactiver les effets de glisse animés lors de l´affichage ou le masquage des menus de la page? Les utilisateurs d'Opera et Konqueror devraient sûrement en avoir besoin.
|
||||
@ -225,7 +197,6 @@ disabled common fr D
|
||||
display %s first jscalendar fr Affiche %s en premier
|
||||
djibouti common fr DJIBOUTI
|
||||
do you also want to delete all subcategories ? common fr Voulez vous également supprimer toutes les sous-catégories ?
|
||||
do you want to use the wysiwyg mode for this textarea? tinymce fr Voulez-vous utiliser le mode WYSIWYG pour cette zone de texte (textarea) ?
|
||||
doctype: common fr Type de document
|
||||
document properties common fr Propriétés du document
|
||||
document title: common fr Titre du document:
|
||||
@ -235,7 +206,6 @@ domestic common fr Int
|
||||
dominica common fr DOMINIQUE
|
||||
dominican republic common fr REPUBLIQUE DOMINICAINE
|
||||
done common fr Fait
|
||||
down tinymce fr Bas
|
||||
drag to move jscalendar fr Glisser pour le déplacer
|
||||
e-mail common fr email
|
||||
east timor common fr TIMOR EST
|
||||
@ -250,7 +220,6 @@ egypt common fr EGYPTE
|
||||
el salvador common fr SALVADOR
|
||||
email common fr E-mail
|
||||
email-address of the user, eg. "%1" common fr Adresse e-mail de l'utilisateur, p.ex. "%1"
|
||||
emotions tinymce fr Emoticônes
|
||||
en common fr en
|
||||
enabled common fr Activé
|
||||
end date common fr Date de fin
|
||||
@ -275,40 +244,16 @@ fax number common fr Num
|
||||
february common fr Février
|
||||
fields common fr Champs
|
||||
fiji common fr FIDJI
|
||||
file already exists. file was not uploaded. tinymce fr Le fichier existe déjà. Le fichier n'a pas été déposé.
|
||||
file exceeds the size limit tinymce fr Le fichier excède la taille limite
|
||||
file manager tinymce fr Gestionnaire de fichiers
|
||||
file not found. tinymce fr Fichier non trouvé.
|
||||
file was not uploaded. tinymce fr Le fichier n'a pas été déposé.
|
||||
file with specified new name already exists. file was not renamed/moved. tinymce fr Il existe déjà un fichier à ce nom. Le fichier n'a pas été renommé/déplacé.
|
||||
file(s) tinymce fr fichier(s)
|
||||
file: tinymce fr Fichier:
|
||||
files common fr Fichiers
|
||||
files with this extension are not allowed. tinymce fr Les fichiers portant cette extension ne sont pas autorisés.
|
||||
filter common fr Filtrer
|
||||
find tinymce fr Trouver
|
||||
find again tinymce fr Trouver encore
|
||||
find what tinymce fr Trouver quoi
|
||||
find next tinymce fr Trouver le prochain
|
||||
find/replace tinymce fr Trouver/Remplacer
|
||||
finland common fr FINLANDE
|
||||
first name common fr Prénom
|
||||
first name of the user, eg. "%1" common fr Prénom de l'utilisateur, p.ex. "%1"
|
||||
first page common fr Première page
|
||||
firstname common fr Prénom
|
||||
fixme! common fr CORRIGEZ-MOI!
|
||||
flash files tinymce fr Fichiers Flash
|
||||
flash properties tinymce fr Propriétés Flash
|
||||
flash-file (.swf) tinymce fr Fichier Flash (.swf)
|
||||
folder tinymce fr Dossier
|
||||
folder already exists. common fr Le dossier existe déjà.
|
||||
folder name missing. tinymce fr Nom de dossier manquant.
|
||||
folder not found. tinymce fr Dossier introuvable.
|
||||
folder with specified new name already exists. folder was not renamed/moved. tinymce fr Il existe déjà un dossier à ce nom. Le dossier n'a pas été renommé/déplacé.
|
||||
folder(s) tinymce fr Dossier(s)
|
||||
font color common fr Couleur de la Police
|
||||
for mouse out tinymce fr Pour la souris en dehors
|
||||
for mouse over tinymce fr Pour la souris au dessus
|
||||
force selectbox common fr Forcer la boîte de sélection
|
||||
forever common fr Toujours
|
||||
france common fr FRANCE
|
||||
@ -370,34 +315,19 @@ iceland common fr ISLANDE
|
||||
iespell not detected. click ok to go to download page. common fr ieSpell non détecté. Cliquez sur Ok pour aller à la page de téléchargement.
|
||||
if the clock is enabled would you like it to update it every second or every minute? common fr Si l'horloge est activée voulez-vous la mettre à jour toutes les secondes ou toutes les minutes?
|
||||
if there are some images in the background folder you can choose the one you would like to see. common fr S'il y a des images dans le dossier d'arrière-plan vous pouvez choisir celle que vous voulez voir.
|
||||
image description tinymce fr Description de l'image
|
||||
image title tinymce fr Titre de l'image
|
||||
image url common fr URL de l'Image
|
||||
increase indent common fr Augmenter le retrait
|
||||
indent tinymce fr Retrait
|
||||
india common fr INDE
|
||||
indonesia common fr INDONESIE
|
||||
insert tinymce fr Insertion
|
||||
insert 'return false' common fr Insérer 'return false'
|
||||
insert / edit flash movie tinymce fr Insérer / modifier Vidéo Flash
|
||||
insert / edit horizontale rule tinymce fr Insérer / modifier Règle Horizontale
|
||||
insert all %1 addresses of the %2 contacts in %3 common fr Insérer toutes les %1 adresses des %2 contacts de %3
|
||||
insert column after common fr Insérer une colonne après
|
||||
insert column before common fr Insérer une colonne avant
|
||||
insert date tinymce fr Insérer la date
|
||||
insert emotion tinymce fr Insérer une émoticône
|
||||
insert file tinymce fr Insérer un fichier
|
||||
insert image common fr Insérer une image
|
||||
insert link to file tinymce fr Insérer un lien vers un fichier
|
||||
insert row after common fr Insérer une ligne après
|
||||
insert row before common fr Insérer une ligne avant
|
||||
insert table common fr Insérer une table
|
||||
insert time tinymce fr Insérer l'heure
|
||||
insert web link common fr Insérer un lien web
|
||||
insert/edit image tinymce fr Insérer/modifier une image
|
||||
insert/edit link tinymce fr Insérer/modifier un lien
|
||||
insert/modify table tinymce fr Insérer/modifier le tableau
|
||||
inserts a new table tinymce fr Insère un nouveau tableau
|
||||
international common fr International
|
||||
invalid filename common fr Nom de fichier invalide
|
||||
invalid ip address common fr Adresse IP invalide
|
||||
@ -415,7 +345,6 @@ jamaica common fr JAMAIQUE
|
||||
january common fr Janvier
|
||||
japan common fr JAPON
|
||||
jordan common fr JORDANIE
|
||||
js-popup tinymce fr JS-Popup
|
||||
july common fr Juillet
|
||||
jun common fr Jun
|
||||
june common fr Juin
|
||||
@ -424,7 +353,6 @@ justify full common fr Justifier
|
||||
justify left common fr Aligner à Gauche
|
||||
justify right common fr Aligner à Droite
|
||||
kazakstan common fr KAZAKSTAN
|
||||
keep linebreaks tinymce fr Conserver les coupures de ligne
|
||||
kenya common fr KENYA
|
||||
keywords common fr Mots-clés
|
||||
kiribati common fr KIRIBATI
|
||||
@ -449,11 +377,9 @@ libyan arab jamahiriya common fr LIBYE
|
||||
license common fr Licence
|
||||
liechtenstein common fr LIECHTENSTEIN
|
||||
line %1: '%2'<br><b>csv data does not match column-count of table %3 ==> ignored</b> common fr Ligne %1: '%2'<br><b>Les données csv ne correspondent pas au nombre de colonnes de la table %3 ==> ignoré</b>
|
||||
link url tinymce fr Lien URL
|
||||
list common fr Liste
|
||||
list members common fr Liste les membres
|
||||
lithuania common fr LITHUANIE
|
||||
loading files tinymce fr Chargement des fichiers
|
||||
local common fr Local
|
||||
login common fr Login
|
||||
loginid common fr LoginID
|
||||
@ -470,7 +396,6 @@ mail domain, eg. "%1" common fr Domaine email, p.ex. "%1"
|
||||
main category common fr Catégorie principale
|
||||
main screen common fr Ecran principal
|
||||
maintainer common fr Mainteneur
|
||||
make window resizable tinymce fr Rendre la fenêtre redimensionnable
|
||||
malawi common fr MALAWI
|
||||
malaysia common fr MALAYSIE
|
||||
maldives common fr MALDIVES
|
||||
@ -479,7 +404,6 @@ malta common fr MALTE
|
||||
march common fr Mars
|
||||
marshall islands common fr ILES MARSHALL
|
||||
martinique common fr MARTINIQUE
|
||||
match case tinymce fr Respecter la casse
|
||||
mauritania common fr MAURITANIE
|
||||
mauritius common fr ILES MAURICE
|
||||
max number of icons in navbar common fr Nombre maximum d'icônes dans la barre de navigation
|
||||
@ -487,19 +411,16 @@ may common fr Mai
|
||||
mayotte common fr MAYOTTE
|
||||
medium common fr Moyen
|
||||
menu common fr Menu
|
||||
merge table cells tinymce fr Fusionner les cellules
|
||||
message common fr Message
|
||||
mexico common fr MEXIQUE
|
||||
micronesia, federated states of common fr MICRONESIA, ETATS FEDERES DE
|
||||
minute common fr minute
|
||||
mkdir failed. tinymce fr Mkdir a échoué.
|
||||
moldova, republic of common fr MOLDAVIE, REPUBLIQUE DE
|
||||
monaco common fr MONACO
|
||||
monday common fr Lundi
|
||||
mongolia common fr MONGOLIE
|
||||
montserrat common fr MONTSERRAT
|
||||
morocco common fr MAROC
|
||||
move tinymce fr Déplacer
|
||||
mozambique common fr MOZAMBIQUE
|
||||
multiple common fr multiple
|
||||
myanmar common fr MYANMAR
|
||||
@ -513,11 +434,6 @@ netherlands antilles common fr ANTILLES HOLLANDAISES
|
||||
never common fr Jamais
|
||||
new caledonia common fr NOUVELLE CALEDONIE
|
||||
new entry added sucessfully common fr Nouvelle entrée ajoutée avec succès
|
||||
new file name missing! tinymce fr Il manque le nouveau nom du fichier!
|
||||
new file name: tinymce fr Nouveau nom de fichier:
|
||||
new folder tinymce fr Nouveau dossier
|
||||
new folder name missing! tinymce fr Il manque le nouveau nom du dossier!
|
||||
new folder name: tinymce fr Nouveau nom de dossier:
|
||||
new main category common fr Nouvelle catégorie principale
|
||||
new value common fr Nouvelle valeur
|
||||
new zealand common fr NOUVELLE ZELANDE
|
||||
@ -531,15 +447,8 @@ nigeria common fr NIGERIA
|
||||
niue common fr NIUE
|
||||
no common fr Non
|
||||
no entries found, try again ... common fr Aucune occurence trouvée, essayez encore ...
|
||||
no files... tinymce fr Aucun fichier...
|
||||
no history for this record common fr Pas d'historique pour cet enregistrement
|
||||
no permission to create folder. tinymce fr Vous n'êtes pas autorisé à créer un dossier.
|
||||
no permission to delete file. tinymce fr Vous n'êtes pas autorisé à supprimer un fichier.
|
||||
no permission to move files and folders. tinymce fr Vous n'êtes pas autorisé à déplacer des fichiers ou dossiers.
|
||||
no permission to rename files and folders. tinymce fr Vous n'êtes pas autorisé à renommer des fichiers ou dossiers.
|
||||
no permission to upload. tinymce fr Vous n'êtes pas autorisé à déposer (upload).
|
||||
no savant2 template directories were found in: common fr Pas de dossier modèle Savant2 n'a été trouvé dans:
|
||||
no shadow tinymce fr Sans ombre
|
||||
no subject common fr Sans objet
|
||||
none common fr Aucun
|
||||
norfolk island common fr ILE NORFOLK
|
||||
@ -560,25 +469,15 @@ old value common fr Ancienne valeur
|
||||
oman common fr OMAN
|
||||
on *nix systems please type: %1 common fr Sur les systèmes *nix SVP tapez: %1
|
||||
on mouse over common fr Sur le relâchement du clic de la souris
|
||||
only files with extensions are permited, e.g. "imagefile.jpg". tinymce fr Seuls les fichiers avec des extensions sont permis, ex: "fichier_image.jpg".
|
||||
only private common fr seulement privés
|
||||
only yours common fr seulement les vôtres
|
||||
oops! you caught us in the middle of system maintainance. common fr Oups! Vous êtes arrivé en pleine maintenance système.
|
||||
open file in new window tinymce fr Ouvrir le fichier dans une nouvelle fenêtre
|
||||
open in new window tinymce fr Ouvrir dans la fenêtre
|
||||
open in parent window / frame tinymce fr Ouvrir dans fenêtre / cadre parent
|
||||
open in the window tinymce fr Ouvrir dans la fenêtre
|
||||
open in this window / frame tinymce fr Ouvrir dans fenêtre / cadre
|
||||
open in top frame (replaces all frames) tinymce fr Ouvrir dans le cadre supérieur (remplace tous les cadres)
|
||||
open link in a new window tinymce fr Ouvrir le lien dans une nouvelle fenêtre
|
||||
open link in the same window tinymce fr Ouvrir le lien dans la même fenêtre
|
||||
open notify window common fr Ouvrir une fenêtre de notification
|
||||
open popup window common fr Ouvrir une fenêtre de popup
|
||||
open sidebox common fr Ouvrir la barre de menu latérale
|
||||
ordered list common fr Liste ordonnées (numéros)
|
||||
original common fr Original
|
||||
other common fr Autre
|
||||
outdent tinymce fr Diminuer le retrait
|
||||
overview common fr Vue d'ensemble
|
||||
owner common fr Propriétaire
|
||||
page common fr Page
|
||||
@ -599,13 +498,8 @@ password must contain at least %1 numbers common fr Le mot de passe doit conteni
|
||||
password must contain at least %1 special characters common fr Le mot de passe doit contenir au moins %1 caractères spéciaux
|
||||
password must contain at least %1 uppercase letters common fr Le mot de passe doit contenir au moins %1 caractères majuscules
|
||||
password must have at least %1 characters common fr Le mot de passe doit contenir au moins %1 caractères
|
||||
paste as plain text tinymce fr Coller en tant que texte simple
|
||||
paste from clipboard common fr Coller depuis le presse-papiers
|
||||
paste from word tinymce fr Coller depuis Word
|
||||
paste table row after tinymce fr Coller ligne après
|
||||
paste table row before tinymce fr Coller ligne avant
|
||||
path common fr Chemin
|
||||
path not found. tinymce fr Chemin non trouvé.
|
||||
path to user and group files has to be outside of the webservers document-root!!! common fr Le chemin vers les fichiers des utilisateurs et groupes DOIT ETRE EN DEHORS de la racine des documents du serveur web!!!
|
||||
pattern for search in addressbook common fr Chaîne à rechercher dans le carnet d'adresses
|
||||
pattern for search in calendar common fr Chaîne à rechercher dans le calendrier
|
||||
@ -619,8 +513,6 @@ phpgwapi common fr API eGroupWare
|
||||
pitcairn common fr PITCAIRN
|
||||
please %1 by hand common fr Veuillez %1 à la main
|
||||
please enter a name common fr Veuillez saisir un nom !
|
||||
please enter the caption text tinymce fr Veuillez saisir le texte de la légende
|
||||
please insert a name for the target or choose another option. tinymce fr Veuillez insérer un nom pour la cible ou choisir une autre option.
|
||||
please run setup to become current common fr Veuillez exécuter le setup pour vous mettre à jour
|
||||
please select common fr Veuillez sélectionner
|
||||
please set your global preferences common fr Veuillez définir vos préférences globales !
|
||||
@ -628,9 +520,7 @@ please set your preferences for this application common fr Veuillez d
|
||||
please wait... common fr Veuillez patienter...
|
||||
please, check back with us shortly. common fr Veuillez revenir bientôt afin de vérifier avec nous.
|
||||
poland common fr POLOGNE
|
||||
popup url tinymce fr URL de la Popup
|
||||
portugal common fr PORTUGAL
|
||||
position (x/y) tinymce fr Position (X/Y)
|
||||
postal common fr Code postal
|
||||
powered by common fr Motorisé par
|
||||
powered by egroupware version %1 common fr Motorisé par <a href="http://www.egroupware.org">eGroupWare</a> version %1
|
||||
@ -639,7 +529,6 @@ preferences common fr Pr
|
||||
preferences for the idots template set common fr Préférences pour l´application du modèle idots
|
||||
prev. month (hold for menu) jscalendar fr Mois précédent (maintenir pour le menu)
|
||||
prev. year (hold for menu) jscalendar fr Année précédente (maintenir pour le menu)
|
||||
preview tinymce fr Prévisualisation
|
||||
previous page common fr Page précédente
|
||||
primary style-sheet: common fr Feuille de style primaire:
|
||||
print common fr Imprimer
|
||||
@ -653,29 +542,21 @@ qatar common fr QATAR
|
||||
read common fr Lire
|
||||
read this list of methods. common fr Lisez cette liste de méthodes.
|
||||
reading common fr Lecture
|
||||
redo tinymce fr Refaire
|
||||
redoes your last action common fr Refait votre dernière action
|
||||
refresh tinymce fr Rafraîchir
|
||||
register common fr S'enregistrer
|
||||
reject common fr Rejeter
|
||||
remember me common fr Se souvenir de moi
|
||||
remove col tinymce fr Supprimer la colonne
|
||||
remove selected accounts common fr supprimer les comptes sélectionnés
|
||||
remove shortcut common fr Supprimer le raccourci
|
||||
rename common fr Renommer
|
||||
rename failed tinymce fr Le renommage a échoué
|
||||
replace common fr Remplacer
|
||||
replace with common fr Remplacer par
|
||||
replace all tinymce fr Remplacer tout
|
||||
returns a full list of accounts on the system. warning: this is return can be quite large common fr Retourne une liste complète des comptes sur le système. Attention: ceci peut être très long
|
||||
returns an array of todo items common fr Retourne une liste d'actions à effectuer
|
||||
returns struct of users application access common fr Retourne une structure d'accès aux applications des utilisateurs
|
||||
reunion common fr REUNION
|
||||
right common fr Droit
|
||||
rmdir failed. tinymce fr Rmdir a échoué.
|
||||
romania common fr ROUMANIE
|
||||
rows tinymce fr Lignes
|
||||
run spell checking tinymce fr Contrôler l'orthographe
|
||||
russian federation common fr FEDERATION DE RUSSIE
|
||||
rwanda common fr RWANDA
|
||||
saint helena common fr SAINTE HELENE
|
||||
@ -697,7 +578,6 @@ search or select multiple accounts common fr Chercher ou s
|
||||
second common fr seconde
|
||||
section common fr Section
|
||||
select common fr Sélectionner
|
||||
select all tinymce fr Sélectionner tout
|
||||
select all %1 %2 for %3 common fr Sélectionner tous les %11 %2 pour %3
|
||||
select category common fr Sélectionner la catégorie
|
||||
select date common fr Sélectionner la date
|
||||
@ -727,23 +607,17 @@ show as topmenu common fr Afficher en tant que menu sup
|
||||
show clock? common fr Afficher l'horloge?
|
||||
show home and logout button in main application bar? common fr Afficher les boutons Accueil et Déconnexion dans la barre d'application principale?
|
||||
show in sidebox common fr Afficher dans la barre de menu latérale
|
||||
show locationbar tinymce fr Afficher la barre d'adresse
|
||||
show logo's on the desktop. common fr Afficher le logo sur le bureau?
|
||||
show menu common fr Afficher le menu
|
||||
show menubar tinymce fr Afficher la barre du menu
|
||||
show page generation time common fr Afficher le temps de génération de la page
|
||||
show page generation time on the bottom of the page? common fr Afficher le temps de génération de page au fond de la page?
|
||||
show page generation time? common fr Afficher le temps de génération de la page?
|
||||
show scrollbars tinymce fr Afficher la barre de défilement
|
||||
show statusbar tinymce fr Afficher la barre de statut
|
||||
show the logo's of egroupware and x-desktop on the desktop. common fr Afficher les logos d'eGroupware et x-desktop sur le bureau?
|
||||
show toolbars tinymce fr Afficher la barre d'outils
|
||||
show_more_apps common fr Voir plus d'applications
|
||||
showing %1 common fr Montre %1
|
||||
showing %1 - %2 of %3 common fr Montre %1 - %2 de %3
|
||||
sierra leone common fr SIERRA LEONE
|
||||
singapore common fr SINGAPOUR
|
||||
size tinymce fr Taille
|
||||
slovakia common fr SLOVAQUIE
|
||||
slovenia common fr SLOVENIE
|
||||
solomon islands common fr ILES SALOMON
|
||||
@ -752,7 +626,6 @@ sorry, your login has expired login fr D
|
||||
south africa common fr AFRIQUE DU SUD
|
||||
south georgia and the south sandwich islands common fr GEORGIE DU SUD ET LES ILES SANDWICH DU SUD
|
||||
spain common fr ESPAGNE
|
||||
split table cells tinymce fr Fractionner des cellules
|
||||
sri lanka common fr SRI LANKA
|
||||
start date common fr Date de début
|
||||
start time common fr Heure de début
|
||||
@ -761,7 +634,6 @@ starting up... common fr D
|
||||
status common fr Etat
|
||||
stretched common fr étiré
|
||||
strikethrough common fr Barré
|
||||
striketrough tinymce fr Barré
|
||||
subject common fr Objet
|
||||
submit common fr Envoyer
|
||||
subscript common fr Indice
|
||||
@ -775,24 +647,18 @@ swaziland common fr SWAZILAND
|
||||
sweden common fr SUEDE
|
||||
switzerland common fr SUISSE
|
||||
syrian arab republic common fr SYRIE
|
||||
table cell properties tinymce fr Propriétés de la cellule
|
||||
table properties common fr Propriétés du tableau
|
||||
table row properties tinymce fr Propriétés de la ligne
|
||||
taiwan common fr TAIWAN/TAIPEI
|
||||
tajikistan common fr TAJIKISTAN
|
||||
tanzania, united republic of common fr TANZANIE, REPUBLIQUE DE
|
||||
target tinymce fr Cible
|
||||
text color: common fr Couleur du Texte:
|
||||
thailand common fr THAILANDE
|
||||
the api is current common fr L'API est à jour
|
||||
the api requires an upgrade common fr L'API nécessite une mise à jour
|
||||
the following applications require upgrades common fr Les applications suivantes nécessitent une mise à jour
|
||||
the mail server returned common fr Le serveur email a renvoyé
|
||||
the search has been compleated. the search string could not be found. tinymce fr Votre recherche est terminée. La chaîne recherchée est introuvable.
|
||||
this application is current common fr Cette application est à jour
|
||||
this application requires an upgrade common fr Cette application nécessite une mise à jour
|
||||
this is just a template button tinymce fr C'est juste un modèle de boutton
|
||||
this is just a template popup tinymce fr C'est juste un modèle de popup
|
||||
this name has been used already common fr Ce nom est déjà utilisé !
|
||||
thursday common fr Jeudi
|
||||
tiled common fr mosaïque
|
||||
@ -807,7 +673,6 @@ to go back to the msg list, click <a href= %1 >here</a> common fr Pour revenir
|
||||
today common fr Aujourd'hui
|
||||
todays date, eg. "%1" common fr date d'aujourd'hui, p.ex. "%1"
|
||||
toggle first day of week jscalendar fr Voir le premier jour de la semaine
|
||||
toggle fullscreen mode tinymce fr Basculer en plein écran
|
||||
toggle html source common fr Basculer en code HTML source
|
||||
togo common fr TOGO
|
||||
tokelau common fr TOKELAU
|
||||
@ -828,30 +693,22 @@ uganda common fr OUGANDA
|
||||
ukraine common fr UKRAINE
|
||||
underline common fr Souligné
|
||||
underline.gif common fr underline.gif
|
||||
undo tinymce fr Défaire
|
||||
undoes your last action common fr Annule votre dernière action
|
||||
united arab emirates common fr EMIRATS ARABES UNIS
|
||||
united kingdom common fr ROYAUME UNI
|
||||
united states common fr ETATS-UNIS
|
||||
united states minor outlying islands common fr ILES MINEURES RELIEES AUX ETATS-UNIS
|
||||
unknown common fr Inconnu
|
||||
unlink tinymce fr Enlever le lien
|
||||
unlink failed. tinymce fr Le retrait du lien échoué.
|
||||
unordered list tinymce fr Liste (puces)
|
||||
up tinymce fr Haut
|
||||
update common fr Mettre à jour
|
||||
update the clock per minute or per second common fr Mettre à jour l'horloge par minutes ou secondes
|
||||
upload common fr Déposer
|
||||
upload directory does not exist, or is not writeable by webserver common fr Le répertoire de dépôt n'existe pas ou le serveur web ne peut pas y écrire
|
||||
uploading... tinymce fr Dépôt en cours...
|
||||
url common fr Url
|
||||
uruguay common fr URUGUAY
|
||||
use button to search for common fr Utilisez le bouton pour rechercher
|
||||
use button to search for address common fr Utilisez le bouton pour rechercher une adresse
|
||||
use button to search for calendarevent common fr Utilisez le bouton pour rechercher un événement
|
||||
use button to search for project common fr Utilisez le bouton pour rechercher un projet
|
||||
use ctrl and/or shift to select multiple items. tinymce fr Utilisez Ctrl et/ou Maj pour sélectionner plusieurs éléments.
|
||||
use ctrl+v on your keyboard to paste the text into the window. tinymce fr Utilisez CTRL+V sur votre clavier pour coller le texte dans la fenêtre.
|
||||
user common fr Utilisateur
|
||||
user accounts common fr Comptes utilisateurs
|
||||
user groups common fr Groupes utilisateurs
|
||||
@ -863,14 +720,11 @@ uzbekistan common fr UZBEKISTAN
|
||||
vanuatu common fr VANUATU
|
||||
venezuela common fr VENEZUELA
|
||||
version common fr version
|
||||
vertical alignment tinymce fr Alignement vertical
|
||||
viet nam common fr VIETNAM
|
||||
view common fr Voir
|
||||
virgin islands, british common fr ILES VIERGES ANGLAISES
|
||||
virgin islands, u.s. common fr ILES VIERGES AMERICAINES
|
||||
wallis and futuna common fr WALLIS ET FUTUNA
|
||||
warning!\n renaming or moving folders and files will break existing links in your documents. continue? tinymce fr Attention!\n Renommer ou déplacer des fichiers ou des dossiers va casser d'éventuels liens existants dans vos documents. Continuer?
|
||||
warning!n renaming or moving folders and files will break existing links in your documents. continue? tinymce fr Attention!\n Renommer ou déplacer des fichiers ou des dossiers va rompre d'éventuels liens existants dans vos documents. Continuer?
|
||||
wednesday common fr Mercredi
|
||||
welcome common fr Bienvenue
|
||||
western sahara common fr SAHARA OUEST
|
||||
@ -880,7 +734,6 @@ when you say yes the home and logout buttons are presented as applications in th
|
||||
where and how will the egroupware links like preferences, about and logout be displayed. common fr Ou et comment seront affichés les liens comme Préférences, A propos de et Déconnexion.
|
||||
which groups common fr Quels groupes
|
||||
width common fr Largeur
|
||||
window name tinymce fr Nom de la fenêtre
|
||||
wk jscalendar fr Sem.
|
||||
work email common fr email professionnel
|
||||
would you like to display the page generation time at the bottom of every window? common fr Voulez-vous voir apparaître le temps de génération en bas de chaque fenêtre?
|
||||
@ -899,7 +752,6 @@ you have not entered participants common fr Vous n'avez pas entr
|
||||
you have selected an invalid date common fr Vous avez sélectionné une date invalide !
|
||||
you have selected an invalid main category common fr Vous avez sélectionné une catégorie principale invalide !
|
||||
you have successfully logged out common fr Vous vous êtes correctement déconnecté
|
||||
you must enter the url tinymce fr Vous devez entrer une URL
|
||||
you need to add the webserver user '%1' to the group '%2'. common fr Vous devez ajouter l'utilisateur du serveur web '%1' au groupe '%2'.
|
||||
you've tried to open the egroupware application: %1, but you have no permission to access this application. common fr Vous avez tenté d'ouvrir l'application eGroupWare: %1, mais vous n'avez aucune permission d'y accéder.
|
||||
your message could <b>not</b> be sent!<br> common fr Votre message n'a <b>pas</b> pu être envoyé!<br>
|
||||
|
@ -13,7 +13,6 @@
|
||||
3 number of chars for day-shortcut jscalendar hu 3 karakteres nap rövidítés
|
||||
3 number of chars for month-shortcut jscalendar hu 3 karakteres hónap rövidítés
|
||||
80 (http) admin hu 80 (http)
|
||||
a editor instance must be focused before using this command. tinymce hu A szerkeszteni kívánt területet ki kell jelölni ezen funkció használata elõtt.
|
||||
about common hu Névjegy
|
||||
about %1 common hu %1 névjegye
|
||||
about egroupware common hu eGroupware névjegye
|
||||
@ -37,17 +36,10 @@ administration common hu Adminisztr
|
||||
afghanistan common hu Afganisztán
|
||||
albania common hu Albánia
|
||||
algeria common hu Algéria
|
||||
align center tinymce hu Középre igazítás
|
||||
align full tinymce hu Sorkizárt
|
||||
align left tinymce hu Balra igazítás
|
||||
align right tinymce hu Jobbra igazítás
|
||||
alignment tinymce hu Igazítás
|
||||
all common hu Összes
|
||||
all fields common hu Összes mezõ
|
||||
all occurrences of the search string was replaced. tinymce hu A keresett szöveg minden elõrfordulása cserélve.
|
||||
alphabet common hu a,b,c,d,e,f,g,h,i,j,k,l,m,n,o,p,q,r,s,t,u,v,w,x,y,z
|
||||
alternate style-sheet: common hu Stíluslap változtatása
|
||||
alternative image tinymce hu Alternatív kép
|
||||
american samoa common hu Amerikai Szamoa
|
||||
andorra common hu Andorra
|
||||
angola common hu Angola
|
||||
@ -87,14 +79,12 @@ belgium common hu Belgium
|
||||
belize common hu Belize
|
||||
benin common hu Benin
|
||||
bermuda common hu Bermuda
|
||||
bg color tinymce hu Háttérszín
|
||||
bhutan common hu Bhután
|
||||
blocked, too many attempts common hu Túl sok próbálkozás, blokkolva!
|
||||
bold common hu Félkövér
|
||||
bold.gif common hu Félkövér.gif
|
||||
bolivia common hu Bolívia
|
||||
border common hu Keret
|
||||
border color tinymce hu Keretszín
|
||||
bosnia and herzegovina common hu Bosznia Hercegovina
|
||||
botswana common hu Botswana
|
||||
bottom common hu Alul
|
||||
@ -121,9 +111,6 @@ category %1 has been added ! common hu %1 kateg
|
||||
category %1 has been updated ! common hu %1 kategória frissítve!
|
||||
cayman islands common hu Kajmán-szigetek
|
||||
cc common hu Cc
|
||||
cellpadding tinymce hu Cella helykitöltés
|
||||
cellspacing tinymce hu Cellák helykitöltése
|
||||
center tinymce hu Középre
|
||||
centered common hu Középre zárt
|
||||
central african republic common hu Közép-Afrikai Köztársaság
|
||||
chad common hu Csád
|
||||
@ -138,12 +125,9 @@ choose a background color for the icons common hu Ikon h
|
||||
choose a background image. common hu Háttérkép kiválasztása
|
||||
choose a background style. common hu Háttér stílus kiválasztása
|
||||
choose a text color for the icons common hu Ikon szövegszín kiválasztása
|
||||
choose directory to move selected folders and files to. tinymce hu Célkönyvtár kiválasztása a kijelölt mappák és állományok mozgatásához.
|
||||
choose the category common hu Kategória választás
|
||||
choose the parent category common hu Szülõ kategória választás
|
||||
christmas island common hu Karácsony szigetek
|
||||
class tinymce hu Osztály
|
||||
cleanup messy code tinymce hu Kódtisztítás
|
||||
clear common hu Töröl
|
||||
clear form common hu Lap törlése
|
||||
click common hu Kattintás
|
||||
@ -153,19 +137,14 @@ close common hu Bez
|
||||
close sidebox common hu Oldalmenü bezárása
|
||||
cocos (keeling) islands common hu Kókusz (Keeling)-szigetek
|
||||
colombia common hu Kolumbia
|
||||
columns tinymce hu Oszlopok
|
||||
comment tinymce hu Megjegyzés
|
||||
common preferences common hu Általános beállítások
|
||||
comoros common hu Comore-szigetek
|
||||
company common hu Társaság
|
||||
configuration problem tinymce hu Konfigurációs probléma
|
||||
congo common hu Kongó
|
||||
congo, the democratic republic of the common hu Kongó (Kongói Köztársaság)
|
||||
contacting server... common hu Csatlakozás szerverhez...
|
||||
cook islands common hu Cook-szigetek
|
||||
copy common hu Másol
|
||||
copy table row tinymce hu Táblázat sorának másolása
|
||||
copy/cut/paste is not available in mozilla and firefox.\ndo you want more information about this issue? tinymce hu Másolás/Kivágás/Beillesztés nem elérhetõ alapértelmezésként a Mozilla és Firefox böngészõkben.\nSzeretne többet tudni errõl?
|
||||
costa rica common hu Costa Rica
|
||||
cote d ivoire common hu Elefántcsontpart
|
||||
could not contact server. operation timed out! common hu Szerverhez csatlakozás nem sikerült. Idõtúllépés.
|
||||
@ -176,16 +155,13 @@ cuba common hu Kuba
|
||||
currency common hu Pénznem
|
||||
current common hu Aktuális
|
||||
current users common hu Aktuális felhasználók
|
||||
cut table row tinymce hu Táblázat sorának kivágása
|
||||
cyprus common hu Ciprus
|
||||
czech republic common hu Cseh Köztársaság
|
||||
date common hu Dátum
|
||||
date due common hu Határidõ
|
||||
date modified tinymce hu Dátum módosítva
|
||||
date selection: jscalendar hu Dátum kiválasztás:
|
||||
datetime port.<br>if using port 13, please set firewall rules appropriately before submitting this page.<br>(port: 13 / host: 129.6.15.28) admin hu Idõszerver port.<br>A 13-as port használatához a tûzfalat ki kell nyitni, mielõtt ez az oldal elküldésre kerülne.<br>
|
||||
december common hu December
|
||||
default tinymce hu Alapértelmezett
|
||||
default category common hu Alapértelmezett kategória
|
||||
delete common hu Töröl
|
||||
delete row common hu Sor törlése
|
||||
@ -194,10 +170,7 @@ description common hu Le
|
||||
detail common hu Részlet
|
||||
details common hu Részletek
|
||||
diable the execution a bugfixscript for internet explorer 5.5 and higher to show transparency in png-images? common hu Letiltja az Internet Explorer 5.5+ böngészõk esetén a PNG típusú képek átlátszóságának kezelését javító szkript futtatását? (Javaslat: Firefox böngészõ használata)
|
||||
direction tinymce hu Irány
|
||||
direction left to right common hu Balról jobbra irány
|
||||
direction right to left tinymce hu Jobbról balra irány
|
||||
directory tinymce hu Könyvtár
|
||||
disable internet explorer png-image-bugfix common hu Internet Explorer png-image-bugfix tiltása
|
||||
disable slider effects common hu Csúsztatás tiltása
|
||||
disable the animated slider effects when showing or hiding menus in the page? opera and konqueror users will probably must want this. common hu Letiltja az oldalon található menük animált be- és kiúsztatását? Opera és Konqueror felhasználók valószínûleg hasznát veszik ennek.
|
||||
@ -205,7 +178,6 @@ disabled common hu Letiltva
|
||||
display %s first jscalendar hu Elõször mutasd ezt %1
|
||||
djibouti common hu Dzsibuti
|
||||
do you also want to delete all subcategories ? common hu Az alkategóriákat is törölni szeretné?
|
||||
do you want to use the wysiwyg mode for this textarea? tinymce hu WYSIWYG mód bekapcsolása erre a szövegterületre?
|
||||
doctype: common hu Doctype:
|
||||
document properties common hu Dokumentum jellemzõk
|
||||
document title: common hu Dokumentum címe:
|
||||
@ -215,7 +187,6 @@ domestic common hu Belf
|
||||
dominica common hu Dominika
|
||||
dominican republic common hu Dominikai Köztársaság
|
||||
done common hu Kész
|
||||
down tinymce hu Le
|
||||
drag to move jscalendar hu Ragadja meg mozgatáshoz
|
||||
e-mail common hu E-Mail
|
||||
east timor common hu Kelet Timor
|
||||
@ -230,7 +201,6 @@ egypt common hu Egyiptom
|
||||
el salvador common hu Salvador
|
||||
email common hu E-Mail
|
||||
email-address of the user, eg. "%1" common hu felhasználó email címe, pl. "%1"
|
||||
emotions tinymce hu Érzelmek
|
||||
enabled common hu Engedélyezve
|
||||
end date common hu Befejezés dátuma
|
||||
end time common hu Befejezés ideje
|
||||
@ -252,38 +222,14 @@ fax number common hu faxsz
|
||||
february common hu Február
|
||||
fields common hu Mezõk
|
||||
fiji common hu Fidzsi
|
||||
file already exists. file was not uploaded. tinymce hu A fájl már létezik. A fájl feltöltése nem törént meg.
|
||||
file exceeds the size limit tinymce hu A fájl mérete meghaladja a beállított mérethatárt.
|
||||
file manager tinymce hu Fájlkezelõ
|
||||
file not found. tinymce hu Fájl nem található.
|
||||
file was not uploaded. tinymce hu Fájl feltöltés nem történt meg.
|
||||
file with specified new name already exists. file was not renamed/moved. tinymce hu Ilyen nevû állomány már létezik. Az állomány átnevezése/mozgatása nem sikerült.
|
||||
file(s) tinymce hu fájl(ok)
|
||||
file: tinymce hu Fájl:
|
||||
files common hu Fájlok
|
||||
files with this extension are not allowed. tinymce hu Ilyen kiterjesztésû fájlok nem engedélyezettek.
|
||||
filter common hu Szûrõ
|
||||
find tinymce hu Keres
|
||||
find again tinymce hu Keresés újra
|
||||
find what tinymce hu Mit keres
|
||||
find next tinymce hu Következõ keresése
|
||||
find/replace tinymce hu Keres/Cserél
|
||||
finland common hu Finnország
|
||||
first name common hu Keresztnév
|
||||
first name of the user, eg. "%1" common hu A felhasználó keresztneve, pl. "%1"
|
||||
first page common hu Elsõ oldal
|
||||
firstname common hu Keresztnév
|
||||
fixme! common hu FIXME!
|
||||
flash files tinymce hu Flash fájlok
|
||||
flash properties tinymce hu Flash tulajdonságok
|
||||
flash-file (.swf) tinymce hu Flash fájl (.swf)
|
||||
folder tinymce hu Mappa
|
||||
folder name missing. tinymce hu Mappanév hiányzik.
|
||||
folder not found. tinymce hu Mappa nem található.
|
||||
folder with specified new name already exists. folder was not renamed/moved. tinymce hu Ilyen nevû mappa már létezik. A mappa átnevezése/mozgatása nem sikerült.
|
||||
folder(s) tinymce hu mappák
|
||||
for mouse out tinymce hu egérkurzor elhagy
|
||||
for mouse over tinymce hu egérkurzor felette
|
||||
force selectbox common hu Erõltetett selectbox
|
||||
france common hu Francaország
|
||||
french guiana common hu Francia Guinea
|
||||
@ -337,29 +283,14 @@ hong kong common hu Hong Kong
|
||||
how many icons should be shown in the navbar (top of the page). additional icons go into a kind of pulldown menu, callable by the icon on the far right side of the navbar. common hu A felsõ menüsoron látható ikonok maximális száma. A többi alkalmazás ikonja a menüsor jobb oldalán található ikonra kattintva érhetõ el.
|
||||
hungary common hu Magyarország
|
||||
iceland common hu Izland
|
||||
image description tinymce hu Képleírás
|
||||
image title tinymce hu Kép címe
|
||||
image url common hu Kép URL
|
||||
indent tinymce hu Behúzás jobbra
|
||||
india common hu India
|
||||
indonesia common hu Indonézia
|
||||
insert tinymce hu Beillesztés
|
||||
insert / edit flash movie tinymce hu Flash mozi beillesztése / szerkesztése
|
||||
insert / edit horizontale rule tinymce hu Vízszintes elválasztó beszúrása / szerkesztése
|
||||
insert all %1 addresses of the %2 contacts in %3 common hu A %2 kapcsolat összes %1 címének beillesztése ide %3
|
||||
insert column after common hu Oszlop szúrása utána
|
||||
insert column before common hu Oszlop beszúrása elé
|
||||
insert date tinymce hu Dátum beszúrása
|
||||
insert emotion tinymce hu Érzelmi ikon beszúrása
|
||||
insert file tinymce hu Fájl beillesztése
|
||||
insert link to file tinymce hu Fájlra hivatkozás beillesztése
|
||||
insert row after common hu Sor beszúrása utána
|
||||
insert row before common hu Sor beszúrása elé
|
||||
insert time tinymce hu Idõpont beszúrása
|
||||
insert/edit image tinymce hu Kép beillesztése/szerkesztése
|
||||
insert/edit link tinymce hu Link beillesztése/szerkesztése
|
||||
insert/modify table tinymce hu Tábla beillesztése/módosítása
|
||||
inserts a new table tinymce hu Új táblázat beillesztése
|
||||
international common hu Nemzetközi
|
||||
invalid ip address common hu Érvénytelen IP cím
|
||||
invalid password common hu Érvénytelen jelszó
|
||||
@ -375,7 +306,6 @@ jamaica common hu Jamaika
|
||||
january common hu Január
|
||||
japan common hu Japán
|
||||
jordan common hu Jordánia
|
||||
js-popup tinymce hu JavaScript felbukkanó
|
||||
july common hu Július
|
||||
jun common hu Jún
|
||||
june common hu Június
|
||||
@ -384,7 +314,6 @@ justify full common hu Sor kit
|
||||
justify left common hu Balra zárt
|
||||
justify right common hu Jobbra zárt
|
||||
kazakstan common hu Kazahsztán
|
||||
keep linebreaks tinymce hu Sortörések megtartása
|
||||
kenya common hu Kenya
|
||||
keywords common hu Kulcsszavak
|
||||
kiribati common hu Kiribati
|
||||
@ -406,11 +335,9 @@ liberia common hu Lib
|
||||
libyan arab jamahiriya common hu Líbia
|
||||
license common hu Licensz
|
||||
liechtenstein common hu Liechtenstein
|
||||
link url tinymce hu Link URL
|
||||
list common hu Lista
|
||||
list members common hu Listatagok
|
||||
lithuania common hu Litvánia
|
||||
loading files tinymce hu Fájlok betöltése
|
||||
local common hu Helyi
|
||||
login common hu Belépés
|
||||
loginid common hu Belépési azonosító
|
||||
@ -425,7 +352,6 @@ mail domain, eg. "%1" common hu email tartom
|
||||
main category common hu Fõ kategória
|
||||
main screen common hu Fõképernyõ
|
||||
maintainer common hu Karbantartó
|
||||
make window resizable tinymce hu Változtatható méretû ablak
|
||||
malawi common hu Malawi
|
||||
malaysia common hu Malajzia
|
||||
maldives common hu Maldív-szigetek
|
||||
@ -434,7 +360,6 @@ malta common hu M
|
||||
march common hu Március
|
||||
marshall islands common hu Marshall-szigetek
|
||||
martinique common hu Martinique
|
||||
match case tinymce hu Pontos egyezés
|
||||
mauritania common hu Mauritania
|
||||
mauritius common hu Mauritius
|
||||
max number of icons in navbar common hu Ikonok maximális száma a menüsoron
|
||||
@ -442,18 +367,15 @@ may common hu M
|
||||
mayotte common hu Mayotte
|
||||
medium common hu Közepes
|
||||
menu common hu Menü
|
||||
merge table cells tinymce hu Táblázat celláinak egyesítése
|
||||
message common hu Üzenet
|
||||
mexico common hu Mexikó
|
||||
micronesia, federated states of common hu Mikronézia
|
||||
mkdir failed. tinymce hu Könyvtár létrehozás sikertelen.
|
||||
moldova, republic of common hu Moldova
|
||||
monaco common hu Monaco
|
||||
monday common hu Hétfõ
|
||||
mongolia common hu Mongólia
|
||||
montserrat common hu Montserrat
|
||||
morocco common hu Marokkó
|
||||
move tinymce hu Mozgat
|
||||
mozambique common hu Mozambik
|
||||
myanmar common hu Mianmar (Burma)
|
||||
name common hu Név
|
||||
@ -466,11 +388,6 @@ netherlands antilles common hu Holland Antill
|
||||
never common hu Soha
|
||||
new caledonia common hu Újkaledónia
|
||||
new entry added sucessfully common hu Új bejegyzés hozzáadva
|
||||
new file name missing! tinymce hu Új fájlnév hiányzik!
|
||||
new file name: tinymce hu Új fájlnév:
|
||||
new folder tinymce hu Új mappa
|
||||
new folder name missing! tinymce hu Új mappanév hiányzik!
|
||||
new folder name: tinymce hu Új mappa neve:
|
||||
new main category common hu Új fõkategória
|
||||
new value common hu Új érték
|
||||
new zealand common hu Újzéland
|
||||
@ -484,14 +401,7 @@ nigeria common hu Nig
|
||||
niue common hu Niue
|
||||
no common hu Nem
|
||||
no entries found, try again ... common hu nem található bejegyzés, próbálja újra
|
||||
no files... tinymce hu Nincsenek fájlok...
|
||||
no history for this record common hu Ehhez a rekordhoz nem tartoznak elõzmények
|
||||
no permission to create folder. tinymce hu Nincs jogosultsága könyvtárat létrehozni!
|
||||
no permission to delete file. tinymce hu Nincs jogosultsága fájlt törölni!
|
||||
no permission to move files and folders. tinymce hu Nincs jogosultsága könyvtárat vagy fájlt átmozgatni!
|
||||
no permission to rename files and folders. tinymce hu Nincs jogosultsága könyvtárat vagy fájlt átnevezni!
|
||||
no permission to upload. tinymce hu Nincs jogosultsága feltölteni.
|
||||
no shadow tinymce hu Nincs árnyék
|
||||
no subject common hu Nincs tárgy
|
||||
none common hu Nincs
|
||||
norfolk island common hu Norfolk szigetek
|
||||
@ -509,23 +419,13 @@ old value common hu R
|
||||
oman common hu Omán
|
||||
on *nix systems please type: %1 common hu *nix rendszereken üsse be: %1
|
||||
on mouse over common hu Egérkurzor felette
|
||||
only files with extensions are permited, e.g. "imagefile.jpg". tinymce hu Csak kiterjesztéssel rendelkezõ állományok engedélyezettek, pl. "kompromittáló_képfájl.jpg"
|
||||
only private common hu csak privát
|
||||
only yours common hu csak sajátot
|
||||
open file in new window tinymce hu Fájl megnyitás új ablakban
|
||||
open in new window tinymce hu Megnyitás új ablakban
|
||||
open in parent window / frame tinymce hu Megnyitás szülõ ablakban/keretben
|
||||
open in the window tinymce hu Megnyitás az ablakban
|
||||
open in this window / frame tinymce hu Megnyitás ebben az ablakban/keretben
|
||||
open in top frame (replaces all frames) tinymce hu Megnyitás a legfelsõ keretben (minden keret cserélõdik)
|
||||
open link in a new window tinymce hu Hivatkozás megnyitása új ablakban
|
||||
open link in the same window tinymce hu Hivatkozás megnyitása azonos ablakban
|
||||
open notify window common hu Értesítõ ablak megnyitása
|
||||
open popup window common hu Felugró ablak megnyitása
|
||||
ordered list common hu Számozott lista
|
||||
original common hu Eredeti
|
||||
other common hu Más
|
||||
outdent tinymce hu Behúzás balra
|
||||
overview common hu Áttekintés
|
||||
owner common hu Tulajdonos
|
||||
page common hu Oldal
|
||||
@ -541,11 +441,6 @@ parent category common hu Sz
|
||||
password common hu Jelszó
|
||||
password could not be changed common hu Jelszó nem módosítható
|
||||
password has been updated common hu Jelszó módosítva
|
||||
paste as plain text tinymce hu Beilleszt mint egyszerû szöveg
|
||||
paste from word tinymce hu Beilleszt a Word-bõl
|
||||
paste table row after tinymce hu Táblázat sort beilleszt utána
|
||||
paste table row before tinymce hu Táblázat sort beilleszt elé
|
||||
path not found. tinymce hu Útvonal nem található.
|
||||
path to user and group files has to be outside of the webservers document-root!!! common hu A felhasználói és csoport állományokat tartalmazó könyvtár útvonala KÍVÜL KELL ESSEN a webszerver által használt könyvtáron!!! Pl. a /var/docroot lehet a /var/www/localhost/httpdocs/docroot helyett.
|
||||
permissions to the files/users directory common hu a files/users könyvtár jogai
|
||||
personal common hu Személyes
|
||||
@ -556,24 +451,19 @@ phpgwapi common hu eGroupWare API
|
||||
pitcairn common hu Pitcairn-szigetek
|
||||
please %1 by hand common hu Kérem %1 kézzel
|
||||
please enter a name common hu Kérem adjon meg egy nevet!
|
||||
please enter the caption text tinymce hu Kérem adja meg a feliratot
|
||||
please insert a name for the target or choose another option. tinymce hu A cél nevének megadása vagy másik opció választáa.
|
||||
please run setup to become current common hu Kérem futtassa a setup-ot hogy a változás érvényre jusson.
|
||||
please select common hu Kérem válasszon
|
||||
please set your global preferences common hu Kérem állítsa be a globális tulajdonságait!
|
||||
please set your preferences for this application common hu Kérem állítsa be személyes beállításait ehhez az alkalmazáshoz!
|
||||
please wait... common hu Kérem várjon és figyelje a homokórát a szemközti falon...
|
||||
poland common hu Lengyelország
|
||||
popup url tinymce hu Popup URL
|
||||
portugal common hu Portugália
|
||||
position (x/y) tinymce hu Pozíció (X/Y)
|
||||
postal common hu Postai
|
||||
powered by egroupware version %1 common hu Powered by <a href="http://www.egroupware.org">eGroupWare</a> version %1
|
||||
preferences common hu Tulajdonságok
|
||||
preferences for the idots template set common hu Idots sablon beállításai
|
||||
prev. month (hold for menu) jscalendar hu Elõzõ hónap
|
||||
prev. year (hold for menu) jscalendar hu Elõzõ év
|
||||
preview tinymce hu Elõnézet
|
||||
previous page common hu Elõzõ oldal
|
||||
primary style-sheet: common hu Elsõdleges stíluslap
|
||||
print common hu Nyomtat
|
||||
@ -584,24 +474,16 @@ public common hu nyilv
|
||||
puerto rico common hu Puerto Rico
|
||||
read common hu Olvas
|
||||
read this list of methods. common hu Eljárás lista olvasása.
|
||||
redo tinymce hu Ismétlés
|
||||
refresh tinymce hu Frissít
|
||||
reject common hu Visszautasít
|
||||
remove col tinymce hu Oszlop eltávolítása
|
||||
remove selected accounts common hu kiválasztott hozzáférések törlése
|
||||
rename common hu Átnevez
|
||||
rename failed tinymce hu Átnevezés sikertelen
|
||||
replace common hu Csere
|
||||
replace with common hu Csere a következõre:
|
||||
replace all tinymce hu Mindet cserél
|
||||
returns a full list of accounts on the system. warning: this is return can be quite large common hu A rendszeren található összes felhasználói fiók listája. Figyelem: Ez igazán nagy is lehet.
|
||||
returns an array of todo items common hu Tennivalók listáját adja vissza egy tömbben
|
||||
reunion common hu Réunion
|
||||
right common hu Jobbra
|
||||
rmdir failed. tinymce hu Könyvtár törlés sikertelen.
|
||||
romania common hu Románia
|
||||
rows tinymce hu Sorok
|
||||
run spell checking tinymce hu Helyesírásellenõrzés futtatása
|
||||
russian federation common hu Orosz föderáció
|
||||
rwanda common hu Ruanda
|
||||
saint helena common hu Szent Ilona
|
||||
@ -621,7 +503,6 @@ search or select accounts common hu Felhaszn
|
||||
search or select multiple accounts common hu többszörös felhasználói fiók keresése vagy kiválasztása
|
||||
section common hu Bekezdés
|
||||
select common hu Kiválaszt
|
||||
select all tinymce hu Mindet kiválaszt
|
||||
select all %1 %2 for %3 common hu Mindet kiválaszt %1 %2 innen %3
|
||||
select category common hu Kategória választás
|
||||
select date common hu dátum választás
|
||||
@ -643,20 +524,14 @@ setup main menu common hu Be
|
||||
seychelles common hu Seychelle-szigetek
|
||||
show all common hu mindet megmutat
|
||||
show all categorys common hu Összes kategória mutatása
|
||||
show locationbar tinymce hu Hely mutatása
|
||||
show menu common hu menü mutatása
|
||||
show menubar tinymce hu Menü eszköztár mutatása
|
||||
show page generation time common hu Oldal generálási idõ mutatása
|
||||
show page generation time on the bottom of the page? common hu Mutassa az oldal generálására fordított idõt az oldal alján?
|
||||
show scrollbars tinymce hu Görgetõsáv mutatása
|
||||
show statusbar tinymce hu Státuszsor mutatása
|
||||
show toolbars tinymce hu Eszközsor mutatása
|
||||
show_more_apps common hu Több alkalmazás mutatása
|
||||
showing %1 common hu %1 listázva
|
||||
showing %1 - %2 of %3 common hu listázva %1 - %2, össz: %3
|
||||
sierra leone common hu Sierra Leone
|
||||
singapore common hu Szingapúr
|
||||
size tinymce hu Méret
|
||||
slovakia common hu Szlovákia
|
||||
slovenia common hu Szlovénia
|
||||
solomon islands common hu Salamon szigetek
|
||||
@ -665,13 +540,11 @@ sorry, your login has expired login hu A hozz
|
||||
south africa common hu Dél Afrika
|
||||
south georgia and the south sandwich islands common hu Déli-Georgia és Déli-Sandwich-szigetek
|
||||
spain common hu Spanyolország
|
||||
split table cells tinymce hu Cella felosztása
|
||||
sri lanka common hu Sri Lanka
|
||||
start date common hu Kezdés dátuma
|
||||
start time common hu Kezdés idõpontja
|
||||
start with common hu Kezdés (start with)
|
||||
status common hu Állapot
|
||||
striketrough tinymce hu Áthúzott
|
||||
subject common hu Tárgy
|
||||
submit common hu Elküld
|
||||
substitutions and their meanings: common hu Behelyettesítések és jelentésük
|
||||
@ -683,24 +556,18 @@ swaziland common hu Szv
|
||||
sweden common hu Svédország
|
||||
switzerland common hu Svájc
|
||||
syrian arab republic common hu Szíria
|
||||
table cell properties tinymce hu Cella tulajdonságok
|
||||
table properties common hu Táblázat tulajdonságok
|
||||
table row properties tinymce hu Táblasor tulajdonságok
|
||||
taiwan common hu Taiwan
|
||||
tajikistan common hu Tadzsikisztán
|
||||
tanzania, united republic of common hu Tanzánia
|
||||
target tinymce hu Cél
|
||||
text color: common hu Szöveg szín:
|
||||
thailand common hu Thaiföld
|
||||
the api is current common hu Az API aktuális, nincs szükség frissítésre
|
||||
the api requires an upgrade common hu Az API frissítést igényel !!!
|
||||
the following applications require upgrades common hu A következõ alkalmazásokat frissíteni kell
|
||||
the mail server returned common hu A levelezõszerver visszatért (Jedi attached ;)
|
||||
the search has been compleated. the search string could not be found. tinymce hu A keresés befejezõdött. A keresett szöveg nem található.
|
||||
this application is current common hu Az alkalmazás friss
|
||||
this application requires an upgrade common hu Az alkalmazás frissítést kíván
|
||||
this is just a template button tinymce hu Ez csak egy sablon gomb
|
||||
this is just a template popup tinymce hu Ez csak egy sablon felugró ablak
|
||||
this name has been used already common hu Ez a név már használatban van!
|
||||
thursday common hu Csütörtök
|
||||
time common hu Idõ
|
||||
@ -713,7 +580,6 @@ to go back to the msg list, click <a href= %1 >here</a> common hu Az
|
||||
today common hu Mai nap
|
||||
todays date, eg. "%1" common hu mai dátum, pl. "%1"
|
||||
toggle first day of week jscalendar hu Hét elsõ napjának rögzítése
|
||||
toggle fullscreen mode tinymce hu Teljes képernyõs mód
|
||||
togo common hu Togo
|
||||
tokelau common hu Tokelau
|
||||
tonga common hu Tonga
|
||||
@ -731,27 +597,19 @@ type common hu T
|
||||
uganda common hu Uganda
|
||||
ukraine common hu Ukrajna
|
||||
underline common hu Aláhúzott
|
||||
undo tinymce hu Visszavonás
|
||||
united arab emirates common hu Egyesült Arab Emirátus
|
||||
united kingdom common hu Egyesült Királyság
|
||||
united states common hu Egyesült Államok
|
||||
united states minor outlying islands common hu Amerikai Egyesült Államok Külsõ Szigetei
|
||||
unknown common hu Ismeretlen
|
||||
unlink tinymce hu Hivatkozás törlése
|
||||
unlink failed. tinymce hu Hivatkozás törlése sikertelen
|
||||
unordered list tinymce hu Felsorolás (nem rendezett)
|
||||
up tinymce hu Fel
|
||||
update common hu Frissít
|
||||
upload common hu Feltöltés
|
||||
uploading... tinymce hu Feltöltés folyamatban...
|
||||
url common hu URL
|
||||
uruguay common hu Uruguay
|
||||
use button to search for common hu használja a gombot a kereséshez
|
||||
use button to search for address common hu használja a gombot címkereséshez
|
||||
use button to search for calendarevent common hu használja a gombot naptárbejegyzés kereséshez
|
||||
use button to search for project common hu használja a gombot projekt kereséshez
|
||||
use ctrl and/or shift to select multiple items. tinymce hu Használja a Ctrl és/vagy Shift gombokat a többszörös kijelöléshez.
|
||||
use ctrl+v on your keyboard to paste the text into the window. tinymce hu Szöveg ablakba másolása CTRL+V használatával.
|
||||
user common hu Felhasználó
|
||||
user accounts common hu felhasználói hozzáférések
|
||||
user groups common hu felhasználói csoportok
|
||||
@ -763,19 +621,16 @@ uzbekistan common hu
|
||||
vanuatu common hu Vanuatu
|
||||
venezuela common hu Venezuella
|
||||
version common hu Verzió
|
||||
vertical alignment tinymce hu Függõleges igazítás
|
||||
viet nam common hu Vietnám
|
||||
view common hu Megtekint
|
||||
virgin islands, british common hu Angol Szûz-szigetek
|
||||
virgin islands, u.s. common hu Amerikai Szûz-szigetek
|
||||
wallis and futuna common hu Wallis és Futuna
|
||||
warning!\n renaming or moving folders and files will break existing links in your documents. continue? tinymce hu Figyelem!\n A könyvtárak és állományok átnevezése vagy mozgatása tönkreteszi a már meglévõ, más helyekrõl történõ rá való hivatkozásokat. Folytatni akarja?
|
||||
wednesday common hu Szerda
|
||||
welcome common hu Üdvözlet (welcome)
|
||||
western sahara common hu Nyugat-Szahara
|
||||
which groups common hu melyik csoport
|
||||
width common hu Szélesség
|
||||
window name tinymce hu Ablak név
|
||||
wk jscalendar hu hét
|
||||
work email common hu munkahelyi email
|
||||
written by: common hu Írta:
|
||||
@ -791,7 +646,6 @@ you have not entered participants common hu Nem adott meg r
|
||||
you have selected an invalid date common hu Érvénytelen dátumot választott!
|
||||
you have selected an invalid main category common hu Érvénytelen fõkategóriát választott!
|
||||
you have successfully logged out common hu Sikeresen kijelentkezett a rendszerbõl
|
||||
you must enter the url tinymce hu Meg kell adnia egy URL-t
|
||||
you need to add the webserver user '%1' to the group '%2'. common hu A webszerver felhasználót '%1' hozzá kell adni a '%2' csoporthoz.
|
||||
your message could <b>not</b> be sent!<br> common hu Az üzenet <b>nem<b> került elküldésre!<br>
|
||||
your message has been sent common hu Üzenet elküldve
|
||||
|
@ -16,7 +16,6 @@
|
||||
3 number of chars for day-shortcut jscalendar it 3 numeri di caratteri per la scorciatoia Giorno
|
||||
3 number of chars for month-shortcut jscalendar it 3 numeri di caratteri per la scorciatoia Mese
|
||||
80 (http) admin it 80 (http)
|
||||
a editor instance must be focused before using this command. tinymce it Un'istanza dell'editor deve essere focalizzata prima di utilizzare questo comando.
|
||||
about common it Info
|
||||
about %1 common it Info su %1
|
||||
about egroupware common it Info su eGroupware
|
||||
@ -41,17 +40,10 @@ administration common it Amministrazione
|
||||
afghanistan common it AFGHANISTAN
|
||||
albania common it ALBANIA
|
||||
algeria common it ALGERIA
|
||||
align center tinymce it Allinea centrato
|
||||
align full tinymce it Giustifica
|
||||
align left tinymce it Allinea a sinistra
|
||||
align right tinymce it Allinea a destra
|
||||
alignment tinymce it Allineamento
|
||||
all common it Tutto
|
||||
all fields common it tutti i campi
|
||||
all occurrences of the search string was replaced. tinymce it Tutte le occorrenze della stringa di ricerca sono state sostituite.
|
||||
alphabet common it a,b,c,d,e,f,g,h,i,j,k,l,m,n,o,p,q,r,s,t,u,v,w,x,y,z
|
||||
alternate style-sheet: common it Foglio di stile alternativo:
|
||||
alternative image tinymce it Immagine alternativa
|
||||
american samoa common it SAMOA AMERICANA
|
||||
andorra common it ANDORRA
|
||||
angola common it ANGOLA
|
||||
@ -91,14 +83,12 @@ belgium common it BELGIO
|
||||
belize common it BELIZE
|
||||
benin common it BENIN
|
||||
bermuda common it BERMUDA
|
||||
bg color tinymce it Colore Sfondo
|
||||
bhutan common it BHUTAN
|
||||
blocked, too many attempts common it Bloccato, troppi tentativi
|
||||
bold common it Grassetto
|
||||
bold.gif common it bold.gif
|
||||
bolivia common it BOLIVIA
|
||||
border common it Bordo
|
||||
border color tinymce it Colore Bordo
|
||||
bosnia and herzegovina common it BOSNIA E HERZEGOVINA
|
||||
botswana common it BOTSWANA
|
||||
bottom common it Bottom
|
||||
@ -125,9 +115,6 @@ category %1 has been added ! common it La categoria %1
|
||||
category %1 has been updated ! common it La categoria %1 è stata aggiornata!
|
||||
cayman islands common it ISOLE CAYMAN
|
||||
cc common it Cc
|
||||
cellpadding tinymce it Cellpadding
|
||||
cellspacing tinymce it Cellspacing
|
||||
center tinymce it Centro
|
||||
centered common it centrato
|
||||
central african republic common it REPUBBLICA CENTRO AFRICANA
|
||||
chad common it CHAD
|
||||
@ -142,12 +129,9 @@ choose a background color for the icons common it Scegli un colore di sfondo per
|
||||
choose a background image. common it Scegli un'immagine di sfondo
|
||||
choose a background style. common it Scegli un stile per lo sfondo
|
||||
choose a text color for the icons common it Scegli un colore per il testo delle icone
|
||||
choose directory to move selected folders and files to. tinymce it Scegli la directory in cui spostare le cartelle e i file selezionati.
|
||||
choose the category common it Scegli la categoria
|
||||
choose the parent category common it Scegli la categoria superiore
|
||||
christmas island common it ISOLA DI NATALE
|
||||
class tinymce it Classe
|
||||
cleanup messy code tinymce it Pulisci il codice
|
||||
clear common it Pulisci
|
||||
clear form common it Svuota il modulo
|
||||
click common it Clicca
|
||||
@ -157,20 +141,14 @@ close common it Chiudi
|
||||
close sidebox common it Chiudi riquadro laterale
|
||||
cocos (keeling) islands common it ISOLE COCOS (KEELING)
|
||||
colombia common it COLOMBIA
|
||||
columns tinymce it Colonne
|
||||
comment tinymce it Commento
|
||||
common preferences common it Preferenze generiche
|
||||
comoros common it COMORE
|
||||
company common it Azienda
|
||||
configuration problem tinymce it Problema di configurazione
|
||||
congo common it CONGO
|
||||
congo, the democratic republic of the common it CONGO, REPUBBLICA DEMOCRATICA DEL
|
||||
contacting server... common it Sto contattando il Server...
|
||||
cook islands common it ISOLE COOK
|
||||
copy common it Copia
|
||||
copy table row tinymce it Copy table row
|
||||
copy/cut/paste is not available in mozilla and firefox.\ndo you want more information about this issue? tinymce it Copia/Taglia/Incolla non sono disponibili in Mozilla e Firefox.\nVuoi ulteriori informazioni al riguardo?
|
||||
copy/cut/paste is not available in mozilla and firefox.ndo you want more information about this issue? tinymce it Copia/Taglia/Incolla non sono disponibili in Mozilla e Firefox.\nVuoi ulteriori informazioni al riguardo?
|
||||
costa rica common it COSTA RICA
|
||||
cote d ivoire common it COSTA D'AVORIO
|
||||
could not contact server. operation timed out! common it Impossibile contattare il server. Operazione fuori tempo massimo!
|
||||
@ -181,16 +159,13 @@ cuba common it CUBA
|
||||
currency common it Valuta
|
||||
current common it Attuale
|
||||
current users common it Utenti attuali
|
||||
cut table row tinymce it Cut table row
|
||||
cyprus common it CIPRO
|
||||
czech republic common it REPUBBLICA CECA
|
||||
date common it Data
|
||||
date due common it Data richiesta
|
||||
date modified tinymce it Data modifica
|
||||
date selection: jscalendar it Selezione data:
|
||||
datetime port.<br>if using port 13, please set firewall rules appropriately before submitting this page.<br>(port: 13 / host: 129.6.15.28) admin it Porta data e ora.<br>Se utilizzi la porta 13, imposta correttamente il firewall prima di confermare questa pagina.<br>(Port: 13 / Host: 129.6.15.28)
|
||||
december common it Dicembre
|
||||
default tinymce it Default
|
||||
default category common it Categoria Predefinita
|
||||
default height for the windows common it Altezza predefinita per le finestre
|
||||
default width for the windows common it Larghezza predefinita per le finestre
|
||||
@ -201,10 +176,7 @@ description common it Descrizione
|
||||
detail common it Dettaglio
|
||||
details common it Dettagli
|
||||
diable the execution a bugfixscript for internet explorer 5.5 and higher to show transparency in png-images? common it Disabilita lo script per sistemare il bug di Internet Explorer 5.5 and superiore nella visualizzazione delle trasparenze nelle immagini PNG?
|
||||
direction tinymce it Direzione
|
||||
direction left to right common it Direzione da sinistra a destra
|
||||
direction right to left tinymce it Direzione da destra a sinistra
|
||||
directory tinymce it Directory
|
||||
disable internet explorer png-image-bugfix common it Disabilita il png-image-bugfix di Internet Explorer
|
||||
disable slider effects common it Disabilita l'effetto effects slider
|
||||
disable the animated slider effects when showing or hiding menus in the page? opera and konqueror users will probably must want this. common it Disabilita gli effetti animati mentre vengono mostrati o nascosti i menù sulla pagina? Gli utenti di Opera e Konqueror probabilmente vorranno così.
|
||||
@ -213,7 +185,6 @@ disabled common it Disabilitato
|
||||
display %s first jscalendar it Mostra prima %1
|
||||
djibouti common it DJIBOUTI
|
||||
do you also want to delete all subcategories ? common it Vuoi anche cancellare tutte le sotto-categorie?
|
||||
do you want to use the wysiwyg mode for this textarea? tinymce it Vuoi usare la modalit\u00E0 WYSIWYG per questa textarea?
|
||||
doctype: common it TIPO DOCUMENTO:
|
||||
document properties common it Proprietà documento
|
||||
document title: common it Titolo documento:
|
||||
@ -223,7 +194,6 @@ domestic common it Domestico
|
||||
dominica common it DOMINICA
|
||||
dominican republic common it REPUBBLICA DOMINICANA
|
||||
done common it Finito
|
||||
down tinymce it Giù
|
||||
drag to move jscalendar it Trascina per spostare
|
||||
e-mail common it E-Mail
|
||||
east timor common it TIMOR EST
|
||||
@ -238,7 +208,6 @@ egypt common it EGITTO
|
||||
el salvador common it EL SALVADOR
|
||||
email common it E-Mail
|
||||
email-address of the user, eg. "%1" common it Indirizzo e-mail per l'utente, es. "%1"
|
||||
emotions tinymce it Emoticon
|
||||
en common it en
|
||||
enabled common it Abilitato
|
||||
end date common it Data Fine
|
||||
@ -262,39 +231,15 @@ fax number common it numero di fax
|
||||
february common it Febbraio
|
||||
fields common it Campi
|
||||
fiji common it FIJI
|
||||
file already exists. file was not uploaded. tinymce it Il file esiste già. Il file non è stato caricato.
|
||||
file exceeds the size limit tinymce it Il file eccede le dimensioni limite.
|
||||
file manager tinymce it Gestione File
|
||||
file not found. tinymce it File non trovato.
|
||||
file was not uploaded. tinymce it Il file non è stato caricato.
|
||||
file with specified new name already exists. file was not renamed/moved. tinymce it Un file con il nuovo nome specificato esiste già. Il file non è stato rinominato/spostato.
|
||||
file(s) tinymce it file
|
||||
file: tinymce it File:
|
||||
files common it File
|
||||
files with this extension are not allowed. tinymce it File con questa estensione non sono permessi.
|
||||
filter common it Filtro
|
||||
find tinymce it Trova
|
||||
find again tinymce it Trova ancora
|
||||
find what tinymce it Cosa trovare
|
||||
find next tinymce it Trova successivo
|
||||
find/replace tinymce it Trova/Sostituisci
|
||||
finland common it FINLANDIA
|
||||
first name common it Nome
|
||||
first name of the user, eg. "%1" common it Nome dell'utente, es. "%1"
|
||||
first page common it Prima pagina
|
||||
firstname common it Nome
|
||||
fixme! common it CORREGGIMI !
|
||||
flash files tinymce it File Flash
|
||||
flash properties tinymce it Proprietà Flash
|
||||
flash-file (.swf) tinymce it File-Flash (.swf)
|
||||
folder tinymce it Cartella
|
||||
folder already exists. common it La cartella esiste già.
|
||||
folder name missing. tinymce it Nome cartella mancante.
|
||||
folder not found. tinymce it Cartella non trovata.
|
||||
folder with specified new name already exists. folder was not renamed/moved. tinymce it Una cartella con il nome specificato esiste già. La cartella non è stata rinominata/spostata.
|
||||
folder(s) tinymce it cartella/e
|
||||
for mouse out tinymce it per mouse out
|
||||
for mouse over tinymce it per mouse over
|
||||
force selectbox common it Forza Casella di Selezione
|
||||
france common it FRANCIA
|
||||
french guiana common it GUIANA FRANCESE
|
||||
@ -352,30 +297,15 @@ iceland common it ISLANDA
|
||||
iespell not detected. click ok to go to download page. common it ieSpell non trovato. Clicca OK per andare alla pagina di download.
|
||||
if the clock is enabled would you like it to update it every second or every minute? common it Se l'orologio è abilitato, vuoi che si aggiorni ogni secondo oppure ogni minuto?
|
||||
if there are some images in the background folder you can choose the one you would like to see. common it Se ci sono diverse immagini nella cartella sfondi, puoi scegliere quale vuoi vedere.
|
||||
image description tinymce it Descrizione immagine
|
||||
image title tinymce it Titolo immagine
|
||||
image url common it URL immagine
|
||||
indent tinymce it Indenta
|
||||
india common it INDIA
|
||||
indonesia common it INDONESIA
|
||||
insert tinymce it Inserisci
|
||||
insert 'return false' common it inserisci 'return false'
|
||||
insert / edit flash movie tinymce it Inserisci / modifica Filmato Flash
|
||||
insert / edit horizontale rule tinymce it Inserisci / modifica Righello Orizzontale
|
||||
insert all %1 addresses of the %2 contacts in %3 common it Inseriti tutti i %1 indirizzi dei %2 contatti in %3
|
||||
insert column after common it Inserisci colonna dopo
|
||||
insert column before common it Inserisci colonna prima
|
||||
insert date tinymce it Inserisci data
|
||||
insert emotion tinymce it Inserisci una emoticon
|
||||
insert file tinymce it Inserisci File
|
||||
insert link to file tinymce it Inserisci link a file
|
||||
insert row after common it Inserisci una riga dopo
|
||||
insert row before common it Inserisci una riga prima
|
||||
insert time tinymce it Inserisci ora
|
||||
insert/edit image tinymce it Inserisci/modifica immagine
|
||||
insert/edit link tinymce it Inserisci/modifica link
|
||||
insert/modify table tinymce it Inserisci/modifica tabella
|
||||
inserts a new table tinymce it Inserisci una nuova tabella
|
||||
international common it Internazionale
|
||||
invalid filename common it Nome file non valido
|
||||
invalid ip address common it Indirizzo IP errato
|
||||
@ -393,7 +323,6 @@ jamaica common it GIAMAICA
|
||||
january common it Gennaio
|
||||
japan common it GIAPPONE
|
||||
jordan common it GIORDANIA
|
||||
js-popup tinymce it JS-Popup
|
||||
july common it Luglio
|
||||
jun common it Giu
|
||||
june common it Giugno
|
||||
@ -402,7 +331,6 @@ justify full common it Giustificato
|
||||
justify left common it Allinea a Sinistra
|
||||
justify right common it Allinea a Destra
|
||||
kazakstan common it KAZAKISTAN
|
||||
keep linebreaks tinymce it Mantieni interruzioni di linea
|
||||
kenya common it KENIA
|
||||
keywords common it Keywords
|
||||
kiribati common it KIRIBATI
|
||||
@ -427,11 +355,9 @@ libyan arab jamahiriya common it LIBIAN ARAB JAMAHIRIYA
|
||||
license common it Licenza
|
||||
liechtenstein common it LIECHTENSTEIN
|
||||
line %1: '%2'<br><b>csv data does not match column-count of table %3 ==> ignored</b> common it Linea %1: '%2'<br><b>dati csv non corrisponde al numero colonne della tabella %3 ==> ignorato</b>
|
||||
link url tinymce it Link URL
|
||||
list common it Lista
|
||||
list members common it Elenco membri
|
||||
lithuania common it LITUANIA
|
||||
loading files tinymce it Caricamento file
|
||||
local common it Locale
|
||||
login common it Login
|
||||
loginid common it LoginID
|
||||
@ -446,7 +372,6 @@ mail domain, eg. "%1" common it dominio e-mail, es. "%1"
|
||||
main category common it Categoria principale
|
||||
main screen common it Schermata principale
|
||||
maintainer common it Manutentore
|
||||
make window resizable tinymce it Rendi finestra ridimensionabile
|
||||
malawi common it MALAWI
|
||||
malaysia common it MALESIA
|
||||
maldives common it MALDIVE
|
||||
@ -455,7 +380,6 @@ malta common it MALTA
|
||||
march common it Marzo
|
||||
marshall islands common it ISOLE MARSHALL
|
||||
martinique common it MARTINICA
|
||||
match case tinymce it Match case
|
||||
mauritania common it MAURITANIA
|
||||
mauritius common it MAURITIUS
|
||||
max number of icons in navbar common it Numero massimo di icone della barra di navigazione
|
||||
@ -463,19 +387,16 @@ may common it Maggio
|
||||
mayotte common it MAYOTTE
|
||||
medium common it Medio
|
||||
menu common it Menù
|
||||
merge table cells tinymce it Merge table cells
|
||||
message common it Messaggio
|
||||
mexico common it MESSICO
|
||||
micronesia, federated states of common it MICRONESIA, STATI FEDERATI DELLA
|
||||
minute common it minuto
|
||||
mkdir failed. tinymce it Mkdir fallito.
|
||||
moldova, republic of common it MOLDAVIA, REPUBBLICA DELLA
|
||||
monaco common it MONACO
|
||||
monday common it Lunedì
|
||||
mongolia common it MONGOLIA
|
||||
montserrat common it MONTSERRAT
|
||||
morocco common it MAROCCO
|
||||
move tinymce it Sposta
|
||||
mozambique common it MOZAMBICO
|
||||
multiple common it multiplo
|
||||
myanmar common it MYANMAR
|
||||
@ -489,11 +410,6 @@ netherlands antilles common it ANTILLE OLANDESI
|
||||
never common it Mai
|
||||
new caledonia common it NUOVA CALEDONIA
|
||||
new entry added sucessfully common it Nuova voce aggiunto con successo
|
||||
new file name missing! tinymce it Nome nuovo file mancante!
|
||||
new file name: tinymce it Nome nuovo file:
|
||||
new folder tinymce it Nuova cartella
|
||||
new folder name missing! tinymce it Nome nuova cartella mancante!
|
||||
new folder name: tinymce it Nome nuova cartella:
|
||||
new main category common it Nuova categoria principale
|
||||
new value common it Nuovo Valore
|
||||
new zealand common it NUOVA ZELANDA
|
||||
@ -507,15 +423,8 @@ nigeria common it NIGERIA
|
||||
niue common it NIUE
|
||||
no common it No
|
||||
no entries found, try again ... common it nessuna voce trovata, prova ancora ...
|
||||
no files... tinymce it Nessun file...
|
||||
no history for this record common it Nessuna history per questo record
|
||||
no permission to create folder. tinymce it Non è permesso creare cartelle.
|
||||
no permission to delete file. tinymce it Non è permesso cancellare file.
|
||||
no permission to move files and folders. tinymce it Non è permesso spostare file e cartelle.
|
||||
no permission to rename files and folders. tinymce it Non è permesso rinominare file e cartelle
|
||||
no permission to upload. tinymce it Non è permesso l'upload.
|
||||
no savant2 template directories were found in: common it Nessuna directory template Savant2 trovata in:
|
||||
no shadow tinymce it Nessuna ombra
|
||||
no subject common it Nessun Oggetto
|
||||
none common it Nessuno
|
||||
norfolk island common it ISOLE NORFOLK
|
||||
@ -534,23 +443,14 @@ old value common it Vecchio Valore
|
||||
oman common it OMAN
|
||||
on *nix systems please type: %1 common it Sui sistemi *nix prego digita: %1
|
||||
on mouse over common it Al passaggio del mouse
|
||||
only files with extensions are permited, e.g. "imagefile.jpg". tinymce it Sono permessi solo file con estensione, es. "immagine.jpg".
|
||||
only private common it solo privati
|
||||
only yours common it solo personali
|
||||
open file in new window tinymce it Apri file in nuova finestra
|
||||
open in new window tinymce it Apri in nuova finestra
|
||||
open in parent window / frame tinymce it Apri in finestra / frame superiore
|
||||
open in the window tinymce it Apri nella finestra
|
||||
open in this window / frame tinymce it Apri in questa finestra / riquadro
|
||||
open link in a new window tinymce it Apri il link in una nuova finestra
|
||||
open link in the same window tinymce it Apri il link nella stessa finestra
|
||||
open notify window common it Apri finestra di Notifica
|
||||
open popup window common it Apri finestra popup
|
||||
open sidebox common it Apri riquadro laterale
|
||||
ordered list common it Lista ordinata
|
||||
original common it Originale
|
||||
other common it Altro
|
||||
outdent tinymce it Rientra
|
||||
overview common it Panoramica
|
||||
owner common it Proprietario
|
||||
page common it Pagina
|
||||
@ -571,11 +471,6 @@ password must contain at least %1 numbers common it La Password deve contenere a
|
||||
password must contain at least %1 special characters common it La Password deve contenere almeno %1 caratteri speciali
|
||||
password must contain at least %1 uppercase letters common it La Password deve contenere almeno %1 lettere maiuscole
|
||||
password must have at least %1 characters common it La Password deve avere almeno %1 caratteri
|
||||
paste as plain text tinymce it Incolla come Testo Semplice
|
||||
paste from word tinymce it Incolla da Word
|
||||
paste table row after tinymce it Paste table row after
|
||||
paste table row before tinymce it Paste table row before
|
||||
path not found. tinymce it Percorso non trovato
|
||||
path to user and group files has to be outside of the webservers document-root!!! common it Il percorso per i files degli utenti e dei gruppi DEVE ESSERE ESTERNO alla document-root del webserver!!!
|
||||
permissions to the files/users directory common it permessi per la directory dei files/utenti
|
||||
personal common it Personale
|
||||
@ -586,23 +481,19 @@ phpgwapi common it API eGroupWare
|
||||
pitcairn common it PITCAIRN
|
||||
please %1 by hand common it Per favore %1 a mano
|
||||
please enter a name common it Per favore inserisci un nome!
|
||||
please enter the caption text tinymce it Per favore inserisci testo didascalia
|
||||
please run setup to become current common it Per favore esegui setup per aggiornare
|
||||
please select common it Per favore Seleziona
|
||||
please set your global preferences common it Per favore imposta le preferenze globali !
|
||||
please set your preferences for this application common it Per favore imposta le tue preferenze per questa applicazione !
|
||||
please wait... common it Attendere per Favore...
|
||||
poland common it POLONIA
|
||||
popup url tinymce it URL Popup
|
||||
portugal common it PORTOGALLO
|
||||
position (x/y) tinymce it Posizione (X/Y)
|
||||
postal common it Postale
|
||||
powered by egroupware version %1 common it Creato con <a href="http://www.egroupware.org">eGroupWare</a> versione %1
|
||||
preferences common it Preferenze
|
||||
preferences for the idots template set common it Preferenze per il template idots
|
||||
prev. month (hold for menu) jscalendar it Mese precedente (premi per menu)
|
||||
prev. year (hold for menu) jscalendar it Anno precedente (premi per menu)
|
||||
preview tinymce it Anteprima
|
||||
previous page common it Pagina precedente
|
||||
primary style-sheet: common it Foglio di stile primario:
|
||||
print common it Stampa
|
||||
@ -616,26 +507,18 @@ qatar common it QATAR
|
||||
read common it Leggi
|
||||
read this list of methods. common it Leggi questo elenco di metodi.
|
||||
reading common it leggendo
|
||||
redo tinymce it Ripeti
|
||||
refresh tinymce it Aggiorna
|
||||
reject common it Rifiuta
|
||||
remove col tinymce it Rimuovi colonna
|
||||
remove selected accounts common it rimuovi gli account selezionati
|
||||
remove shortcut common it Rimuovi scorciatoie
|
||||
rename common it Rinomina
|
||||
rename failed tinymce it Rinomina fallita
|
||||
replace common it Sostituisci
|
||||
replace with common it Stostituisci con
|
||||
replace all tinymce it Sostituisci tutto
|
||||
returns a full list of accounts on the system. warning: this is return can be quite large common it Restituisce la lista degli account di sistema. Attenzione: La lista può essere molto grande
|
||||
returns an array of todo items common it Restituisce un elenco delle cose da fare
|
||||
returns struct of users application access common it Restituisce la struttura degli accessi alle applicazioni
|
||||
reunion common it REUNION
|
||||
right common it Destra
|
||||
rmdir failed. tinymce it Rmdir fallito.
|
||||
romania common it ROMANIA
|
||||
rows tinymce it Righe
|
||||
run spell checking tinymce it Avvia il controllo ortografico
|
||||
russian federation common it FEDERAZIONE RUSSA
|
||||
rwanda common it RUANDA
|
||||
saint helena common it SANT'ELENA
|
||||
@ -656,7 +539,6 @@ search or select multiple accounts common it cerca o seleziona account multipli
|
||||
second common it secondo
|
||||
section common it Sezione
|
||||
select common it Seleziona
|
||||
select all tinymce it Seleziona Tutto
|
||||
select all %1 %2 for %3 common it Seleziona tutti %1 %2 per %3
|
||||
select category common it Selezione categoria
|
||||
select date common it Selezione data
|
||||
@ -682,23 +564,17 @@ show all common it visualizza tutto
|
||||
show all categorys common it Visualizza tutte le categorie
|
||||
show clock? common it Mostrare orologio?
|
||||
show home and logout button in main application bar? common it Mostrare i pulsanti Home e Logout nella barra applicazioni principale?
|
||||
show locationbar tinymce it Mostra barra luogo
|
||||
show logo's on the desktop. common it Mostra logo sul desktop
|
||||
show menu common it visualizza menu
|
||||
show menubar tinymce it Mostra barra menù
|
||||
show page generation time common it Visualizza il tempo di generazione della pagina
|
||||
show page generation time on the bottom of the page? common it Visualizza il tempo di generazione in fondo alla pagina?
|
||||
show page generation time? common it Mostrare tempo generazione pagina?
|
||||
show scrollbars tinymce it Mostra barre di scorrimento
|
||||
show statusbar tinymce it Mostra barra di stato
|
||||
show the logo's of egroupware and x-desktop on the desktop. common it Mostra il logo di eGroupware e di x-desktop sul desktop.
|
||||
show toolbars tinymce it Mostra barre strumenti
|
||||
show_more_apps common it show_more_apps
|
||||
showing %1 common it visualizzati %1
|
||||
showing %1 - %2 of %3 common it visualizzati da %1 a %2 di %3
|
||||
sierra leone common it SIERRA LEONE
|
||||
singapore common it SINGAPORE
|
||||
size tinymce it Dimensione
|
||||
slovakia common it SLOVACCHIA
|
||||
slovenia common it SLOVENIA
|
||||
solomon islands common it ISOLE DI SOLOMONE
|
||||
@ -707,7 +583,6 @@ sorry, your login has expired login it Spiacente, il tuo login
|
||||
south africa common it SUD AFRICA
|
||||
south georgia and the south sandwich islands common it SUD GEORGIA E LE ISOLE SUD SANDWICH
|
||||
spain common it SPAGNA
|
||||
split table cells tinymce it Split table cells
|
||||
sri lanka common it SRI LANKA
|
||||
start date common it Data Inizio
|
||||
start time common it Ora Inizio
|
||||
@ -715,7 +590,6 @@ start with common it Inizia con
|
||||
starting up... common it Inizializzazione...
|
||||
status common it Status
|
||||
stretched common it adattato
|
||||
striketrough tinymce it Barrato
|
||||
subject common it Oggetto
|
||||
submit common it Invia
|
||||
substitutions and their meanings: common it Sostituzioni e loro significati:
|
||||
@ -727,24 +601,18 @@ swaziland common it SWAZILAND
|
||||
sweden common it SVEZIA
|
||||
switzerland common it SVIZZERA
|
||||
syrian arab republic common it REPUBBLICA ARABA SIRIANA
|
||||
table cell properties tinymce it Table cell properties
|
||||
table properties common it Table properties
|
||||
table row properties tinymce it Table row properties
|
||||
taiwan common it TAIWAN/TAIPEI
|
||||
tajikistan common it TAJIKISTAN
|
||||
tanzania, united republic of common it TANZANIA, REPUBBLICA UNITA DELLA
|
||||
target tinymce it Target
|
||||
text color: common it Colore testo
|
||||
thailand common it TAILANDIA
|
||||
the api is current common it L'API è aggiornata
|
||||
the api requires an upgrade common it L'API necessita di un aggiornamento
|
||||
the following applications require upgrades common it Le seguenti applicazioni richiedono un aggiornamento
|
||||
the mail server returned common it Il mail server ha risposto
|
||||
the search has been compleated. the search string could not be found. tinymce it La ricerca è stata completata. La stringa di ricerca non è stata trovata.
|
||||
this application is current common it Questa applicazione è aggiornata
|
||||
this application requires an upgrade common it Questa applicazione richiede un aggiornamento
|
||||
this is just a template button tinymce it Questo è solo un bottone template
|
||||
this is just a template popup tinymce it Questo è solo un popup template
|
||||
this name has been used already common it Questo nome è già stato usato!
|
||||
thursday common it Giovedì
|
||||
tiled common it tiled
|
||||
@ -759,7 +627,6 @@ to go back to the msg list, click <a href= %1 >here</a> common it Per tornare al
|
||||
today common it Oggi
|
||||
todays date, eg. "%1" common it Data di oggi, es. "%1"
|
||||
toggle first day of week jscalendar it Togli il primo giorno della settimana
|
||||
toggle fullscreen mode tinymce it Attiva/disattiva modalità schermo inetro
|
||||
togo common it TOGO
|
||||
tokelau common it TOKELAU
|
||||
tonga common it TONGA
|
||||
@ -779,28 +646,20 @@ uganda common it UGANDA
|
||||
ukraine common it UCRAINA
|
||||
underline common it Sottolineato
|
||||
underline.gif common it underline.gif
|
||||
undo tinymce it Annulla
|
||||
united arab emirates common it EMIRATI ARABI UNITI
|
||||
united kingdom common it REGNO UNITO
|
||||
united states common it STATI UNITI
|
||||
united states minor outlying islands common it UNITED STATES MINOR OUTLYING ISLANDS
|
||||
unknown common it Sconosciuto
|
||||
unlink tinymce it Elimina link
|
||||
unlink failed. tinymce it Scollegamento fallito.
|
||||
unordered list tinymce it Lista non ordinata
|
||||
up tinymce it Su
|
||||
update common it Aggiorna
|
||||
update the clock per minute or per second common it Aggiorna l'orologio ogni minuto o ogni secondo
|
||||
upload common it Carica
|
||||
uploading... tinymce it Caricamento...
|
||||
url common it URL
|
||||
uruguay common it URUGUAY
|
||||
use button to search for common it usa il Pulsante per cercare
|
||||
use button to search for address common it usa il Pulsante per cercare l'Indirizzo
|
||||
use button to search for calendarevent common it usa il Pulsante per cercare un Evento in Agenda
|
||||
use button to search for project common it usa il Pulsante per cercare un Progetto
|
||||
use ctrl and/or shift to select multiple items. tinymce it Usa Ctrl e/o Shift per selezionare più oggetti.
|
||||
use ctrl+v on your keyboard to paste the text into the window. tinymce it Usa CTRL+V sulla tastiera per incollare il testo nella finestra.
|
||||
user common it Utente
|
||||
user accounts common it account utente
|
||||
user groups common it gruppi utente
|
||||
@ -811,7 +670,6 @@ uzbekistan common it UZBEKISTAN
|
||||
vanuatu common it VANUATU
|
||||
venezuela common it VENEZUELA
|
||||
version common it Versione
|
||||
vertical alignment tinymce it Vertical alignment
|
||||
viet nam common it VIET NAM
|
||||
view common it Visualizza
|
||||
virgin islands, british common it ISOLE VERGINI, GRAN BRETAGNA
|
||||
@ -823,7 +681,6 @@ western sahara common it SAHARA OCCIDENTALE
|
||||
what style would you like the image to have? common it Che stile vuoi che abbia l'immagine?
|
||||
which groups common it Quali gruppi
|
||||
width common it Larghezza
|
||||
window name tinymce it Nome finestra
|
||||
wk jscalendar it set
|
||||
work email common it e-mail ufficio
|
||||
writing common it scrittura
|
||||
@ -840,7 +697,6 @@ you have not entered participants common it Non hai inserito i partecipanti
|
||||
you have selected an invalid date common it Hai selezionato una data non valida!
|
||||
you have selected an invalid main category common it Hai selezionato una categoria principale non valida!
|
||||
you have successfully logged out common it Ti sei disconesso con successo
|
||||
you must enter the url tinymce it Devi inserire l'URL
|
||||
you need to add the webserver user '%1' to the group '%2'. common it Devi aggiungere l'utente '%1' del webserver al gruppo '%2'.
|
||||
your message could <b>not</b> be sent!<br> common it Il tuo messaggio <b>non</b> può essere inviato!<br>
|
||||
your message has been sent common it Il tuo messaggio è stato inviato
|
||||
|
@ -61,7 +61,6 @@ category common iw קטגוריה
|
||||
category %1 has been added ! common iw !קטגוריה %1 נוספה
|
||||
category %1 has been updated ! common iw !קטגוריה %1 עודכנה
|
||||
cc common iw העתק
|
||||
center tinymce iw מרכז
|
||||
change common iw שנה
|
||||
charset common iw UTF-8
|
||||
check installation common iw בדוק התקנה
|
||||
|
@ -220,107 +220,3 @@ use cookies login ja Cookie
|
||||
username login ja ユーザ名
|
||||
you have been successfully logged out login ja ログアウトしました。
|
||||
your session could not be verified. login ja Your session could not be verified.
|
||||
bold tinymce ja $BB@;z(B
|
||||
italic tinymce ja $B<PBN(B
|
||||
underline tinymce ja $B2<@~(B
|
||||
striketrough tinymce ja $BKu>C@~(B
|
||||
align left tinymce ja $B:85M$a(B
|
||||
align center tinymce ja $BCf1{9g$o$;(B
|
||||
align right tinymce ja $B1&5M$a(B
|
||||
align full tinymce ja $B9TB7$((B
|
||||
unordered list tinymce ja $B2U>r=q(B
|
||||
ordered list tinymce ja $BHV9fIU$-2U>r=q(B
|
||||
outdent tinymce ja $B;z>e$2(B
|
||||
indent tinymce ja $B;z2<$2(B
|
||||
undo tinymce ja $B$d$j$J$*$7(B
|
||||
redo tinymce ja $B:F<B9T(B
|
||||
insert/edit link tinymce ja $B%j%s%/$NA^F~(B/$BJT=8(B
|
||||
unlink tinymce ja $B%j%s%/$N:o=|(B
|
||||
insert/edit image tinymce ja $B2hA|$NA^F~(B/$BJT=8(B
|
||||
cleanup messy code tinymce ja $B%3!<%I@0M}(B
|
||||
a editor instance must be focused before using this command. tinymce ja $B$3$N%3%^%s%I$r;H$&A0$K%(%G%#%?>e$N$I$3$+$rA*Br$9$kI,MW$,$"$j$^$9!#(B
|
||||
do you want to use the wysiwyg mode for this textarea? tinymce ja WYSIWYG$B%b!<%I$G$3$N%F%-%9%H%(%j%"$rJT=8$7$^$9$+!)(B
|
||||
insert/edit link tinymce ja $B%j%s%/$NA^F~(B/$BJT=8(B
|
||||
insert tinymce ja $BA^F~(B
|
||||
update tinymce ja $BA^F~(B
|
||||
cancel tinymce ja $B<h$j>C$7(B
|
||||
link url tinymce ja $B%j%s%/@h(BURL
|
||||
target tinymce ja $B%?!<%2%C%H(B
|
||||
open link in the same window tinymce ja $BF1$8Ak$G%j%s%/$r3+$/(B
|
||||
open link in a new window tinymce ja $B?7$7$$Ak$G%j%s%/$r3+$/(B
|
||||
insert/edit image tinymce ja $B2hA|$NA^F~(B/$BJT=8(B
|
||||
image url tinymce ja $B2hA|$N(BURL
|
||||
image description tinymce ja $B2hA|$N@bL@(B
|
||||
help tinymce ja $B%X%k%W(B
|
||||
copy/cut/paste is not available in mozilla and firefox.\ndo you want more information about this issue? tinymce ja Copy/Cut/Paste is not available in Mozilla and Firefox.\nDo you want more information about this issue?
|
||||
bold tinymce ja $BB@;z(B
|
||||
italic tinymce ja $B<PBN(B
|
||||
underline tinymce ja $B2<@~(B
|
||||
striketrough tinymce ja $BKu>C@~(B
|
||||
align left tinymce ja $B:85M$a(B
|
||||
align center tinymce ja $BCf1{9g$o$;(B
|
||||
align right tinymce ja $B1&5M$a(B
|
||||
align full tinymce ja $B9TB7$((B
|
||||
unordered list tinymce ja $B2U>r=q(B
|
||||
ordered list tinymce ja $BHV9fIU$-2U>r=q(B
|
||||
outdent tinymce ja $B;z>e$2(B
|
||||
indent tinymce ja $B;z2<$2(B
|
||||
undo tinymce ja $B$d$j$J$*$7(B
|
||||
redo tinymce ja $B:F<B9T(B
|
||||
insert/edit link tinymce ja $B%j%s%/$NA^F~(B/$BJT=8(B
|
||||
unlink tinymce ja $B%j%s%/$N:o=|(B
|
||||
insert/edit image tinymce ja $B2hA|$NA^F~(B/$BJT=8(B
|
||||
cleanup messy code tinymce ja $B%3!<%I@0M}(B
|
||||
a editor instance must be focused before using this command. tinymce ja $B$3$N%3%^%s%I$r;H$&A0$K%(%G%#%?>e$N$I$3$+$rA*Br$9$kI,MW$,$"$j$^$9!#(B
|
||||
do you want to use the wysiwyg mode for this textarea? tinymce ja WYSIWYG$B%b!<%I$G$3$N%F%-%9%H%(%j%"$rJT=8$7$^$9$+!)(B
|
||||
insert/edit link tinymce ja $B%j%s%/$NA^F~(B/$BJT=8(B
|
||||
insert tinymce ja $BA^F~(B
|
||||
update tinymce ja $BA^F~(B
|
||||
cancel tinymce ja $B<h$j>C$7(B
|
||||
link url tinymce ja $B%j%s%/@h(BURL
|
||||
target tinymce ja $B%?!<%2%C%H(B
|
||||
open link in the same window tinymce ja $BF1$8Ak$G%j%s%/$r3+$/(B
|
||||
open link in a new window tinymce ja $B?7$7$$Ak$G%j%s%/$r3+$/(B
|
||||
insert/edit image tinymce ja $B2hA|$NA^F~(B/$BJT=8(B
|
||||
image url tinymce ja $B2hA|$N(BURL
|
||||
image description tinymce ja $B2hA|$N@bL@(B
|
||||
help tinymce ja $B%X%k%W(B
|
||||
copy/cut/paste is not available in mozilla and firefox.\ndo you want more information about this issue? tinymce ja Copy/Cut/Paste is not available in Mozilla and Firefox.\nDo you want more information about this issue?
|
||||
inserts a new table tinymce ja $B%F!<%V%k(B
|
||||
insert row before tinymce ja $B9TA^F~(B($BA0(B)
|
||||
insert row after tinymce ja $B9TA^F~(B($B8e(B)
|
||||
delete row tinymce ja $B9T:o=|(B
|
||||
insert column before tinymce ja $BNsA^F~(B($BA0(B)
|
||||
insert column after tinymce ja $BNsA^F~(B($B8e(B)
|
||||
remove col tinymce ja $BNs:o=|(B
|
||||
insert/modify table tinymce ja $B%F!<%V%k$NA^F~(B/$BJT=8(B
|
||||
columns tinymce ja $BNs?t(B
|
||||
rows tinymce ja $B9T?t(B
|
||||
cellspacing tinymce ja $B%;%kM>Gr(B
|
||||
cellpadding tinymce ja $B%;%k5M$a(B
|
||||
alignment tinymce ja $B0LCVD4@0(B
|
||||
default tinymce ja $B0EL[(B
|
||||
left tinymce ja $B:85M$a(B
|
||||
right tinymce ja $B1&5M$a(B
|
||||
center tinymce ja $BCf1{4s$;(B
|
||||
width tinymce ja $BI}(B
|
||||
height tinymce ja $B9b$5(B
|
||||
border tinymce ja $B6-3&@~(B
|
||||
class tinymce ja $B%/%i%9(B
|
||||
table row properties tinymce ja Table row properties
|
||||
table cell properties tinymce ja Table cell properties
|
||||
table row properties tinymce ja Table row properties
|
||||
table cell properties tinymce ja Table cell properties
|
||||
vertical alignment tinymce ja Vertical alignment
|
||||
top tinymce ja Top
|
||||
bottom tinymce ja Bottom
|
||||
table properties tinymce ja Table properties
|
||||
border color tinymce ja Border color
|
||||
bg color tinymce ja Bg color
|
||||
merge table cells tinymce ja Merge table cells
|
||||
split table cells tinymce ja Split table cells
|
||||
merge table cells tinymce ja Merge table cells
|
||||
cut table row tinymce ja Cut table row
|
||||
copy table row tinymce ja Copy table row
|
||||
paste table row before tinymce ja Paste table row before
|
||||
paste table row after tinymce ja Paste table row after
|
||||
|
@ -1,7 +1,6 @@
|
||||
%1 email addresses inserted common ko %1 E-Mail 주소가 삽입되었습니다.
|
||||
%1 is not executable by the webserver !!! common ko %1 은 웹서버에 의해 실행될 수 없습니다 !!!
|
||||
(shift-)click or drag to change value jscalendar ko 쉬프트 클릭 혹은 드래그로 값을 변경하세요
|
||||
a editor instance must be focused before using this command. tinymce ko 이 명령을 실행하기 전에 반드시 에디터 내의 어딘가에 커서가 있어야 합니다.
|
||||
about common ko 소개
|
||||
about %1 common ko %1 에 대하여
|
||||
access common ko 액세스
|
||||
@ -16,32 +15,21 @@ add sub common ko
|
||||
addressbook common ko 주소록
|
||||
admin common ko 관리
|
||||
administration common ko 관리
|
||||
align center tinymce ko 가운데 정렬
|
||||
align full tinymce ko 양쪽 정렬
|
||||
align left tinymce ko 왼쪽 정렬
|
||||
align right tinymce ko 오른쪽 정렬
|
||||
alignment tinymce ko 정렬
|
||||
all fields common ko 모든 필드
|
||||
all occurrences of the search string was replaced. tinymce ko 발견된 검색어가 모두 치환되었습니다
|
||||
apply common ko 적용
|
||||
april common ko 4월
|
||||
are you sure you want to delete these entries ? common ko 이 항목들을 정말로 삭제하시겠습니까?
|
||||
are you sure you want to delete this entry ? common ko 현재 항목을 삭제하시겠습니까?
|
||||
august common ko 8월
|
||||
bad login or password common ko 사용자ID나 패스워드가 틀립니다.
|
||||
bg color tinymce ko Bg color
|
||||
bold common ko 진하게
|
||||
border common ko 테두리
|
||||
border color tinymce ko 테두리 색
|
||||
bottom common ko 하단
|
||||
cancel common ko 취소
|
||||
categories common ko 분류들
|
||||
category common ko 분류
|
||||
category %1 has been added ! common ko %1 분류가 추가되었습니다!
|
||||
category %1 has been updated ! common ko %1 분류가 갱신되었습니다!
|
||||
cellpadding tinymce ko 셀 여백
|
||||
cellspacing tinymce ko 셀 간격
|
||||
center tinymce ko 가운데
|
||||
change common ko 변경
|
||||
charset common ko euc-kr
|
||||
check installation common ko 설치 점검
|
||||
@ -51,49 +39,33 @@ choose a background color for the icons common ko
|
||||
choose a background image. common ko 배경이미지를 선택하세요
|
||||
choose a background style. common ko 배경스타일을 선택하세요
|
||||
choose a text color for the icons common ko 아이콘의 글자색을 선택하세요
|
||||
choose directory to move selected folders and files to. tinymce ko 선택한 폴더와 파일을 이동할 디렉토리를 선택하세요
|
||||
choose the category common ko 분류를 선택하세요
|
||||
choose the parent category common ko 상위 분류를 선택하세요
|
||||
class tinymce ko 클래스
|
||||
cleanup messy code tinymce ko 코드를 깔끔하게
|
||||
clear common ko 초기화
|
||||
clear form common ko 초기화
|
||||
close common ko 닫기
|
||||
columns tinymce ko 행
|
||||
comment tinymce ko 커멘트
|
||||
common preferences common ko 공통설정
|
||||
company common ko 회사
|
||||
configuration problem tinymce ko 설정 문제
|
||||
copy common ko 복사
|
||||
copy table row tinymce ko 테이블 열복사
|
||||
copy/cut/paste is not available in mozilla and firefox.\ndo you want more information about this issue? tinymce ko 복사/잘라내기/붙여넣기는 모질라 및 파이어폭스에서 지원되지 않습니다\n이문제와 관련한 자세한 정보를 보시겠습니까?
|
||||
copy/cut/paste is not available in mozilla and firefox.ndo you want more information about this issue? tinymce ko 복사/잘라내기/붙여넣기는 모질라 및 파이어폭스에서 지원되지 않습니다\n이문제와 관련한 자세한 정보를 보시겠습니까?
|
||||
create common ko 작성
|
||||
created by common ko 작성자
|
||||
current common ko 현재
|
||||
current users common ko 현재 사용자
|
||||
cut table row tinymce ko 테이블 열 잘라내기
|
||||
date common ko 날짜
|
||||
date due common ko 만기일
|
||||
date modified tinymce ko 변경일
|
||||
december common ko 12월
|
||||
default tinymce ko 기본값
|
||||
delete common ko 삭제
|
||||
delete row common ko 열 삭제
|
||||
description common ko 내용
|
||||
detail common ko 상세
|
||||
details common ko 상세
|
||||
direction tinymce ko 방향
|
||||
direction left to right common ko 왼쪽에서 오른쪽방향
|
||||
direction right to left tinymce ko 오른쪽에서 왼쪽방향
|
||||
directory tinymce ko 디렉토리
|
||||
disable internet explorer png-image-bugfix common ko 인터넷 익스플로러의 png 이미지 오류수정기능 비활성화
|
||||
disable slider effects common ko 슬라이딩 효과 비활성화
|
||||
disable the animated slider effects when showing or hiding menus in the page? opera and konqueror users will probably must want this. common ko 페이지의 메뉴 표시를 위한 슬라이딩 에니메이션 효과를 비활성화 하시겠습니까? 오페라나 컨쿼러등의 브라우저를 위해서는 비활성화하는것이 좋습니다.
|
||||
disable the execution a bugfixscript for internet explorer 5.5 and higher to show transparency in png-images? common ko 투명 PNG 이미지를 인터넷 익스플로러 5.5이상에서 보이기 위한 오류수정 스크립트의 실행을 비활성화 하시겠습니까?
|
||||
disabled common ko 비활성화됨
|
||||
do you also want to delete all subcategories ? common ko 모든 하위 분류들을 삭제하시겠습니까?
|
||||
do you want to use the wysiwyg mode for this textarea? tinymce ko 이 텍스트 박스에서 HTML 에디터를 사용하길 원하십니까?
|
||||
doctype: common ko 문서형식:
|
||||
document properties common ko 문서 속성
|
||||
document title: common ko 문서 제목:
|
||||
@ -106,7 +78,6 @@ edit categories common ko
|
||||
edit category common ko 분류 수정
|
||||
egroupware: login blocked for user '%1', ip %2 common ko eGroupWare: 사용자 %1 및 IP %2에 대한 로그인이 차단되었습니다.
|
||||
email common ko E-Mail
|
||||
emotions tinymce ko 이모티콘
|
||||
enabled common ko 활성화됨
|
||||
end date common ko 종료일
|
||||
end time common ko 종료시간
|
||||
@ -120,36 +91,13 @@ error renaming %1 %2 directory common ko %1 %2
|
||||
fax number common ko 팩스번호
|
||||
february common ko 2월
|
||||
fields common ko 필드들
|
||||
file already exists. file was not uploaded. tinymce ko 파일이 이미 있어 업로드되지 않았습니다.
|
||||
file exceeds the size limit tinymce ko 파일이 크기제한을 초과하였습니다.
|
||||
file manager tinymce ko 파일 매니저
|
||||
file not found. tinymce ko 파일을 찾을 수 없습니다.
|
||||
file was not uploaded. tinymce ko 파일이 업로드 되지 않았습니다.
|
||||
file(s) tinymce ko 파일들
|
||||
file: tinymce ko 파일:
|
||||
files common ko 파일들
|
||||
files with this extension are not allowed. tinymce ko 이 확장자는 금지되어있습니다
|
||||
filter common ko 필터
|
||||
find tinymce ko 찾기
|
||||
find again tinymce ko 계속찾기
|
||||
find what tinymce ko 찾을글
|
||||
find next tinymce ko 다음찾기
|
||||
find/replace tinymce ko 찾기/바꾸기
|
||||
first name common ko 이름
|
||||
first name of the user, eg. "%1" common ko 사용자의 이름, 예. "%1"
|
||||
first page common ko 첫 페이지
|
||||
firstname common ko 이름
|
||||
flash files tinymce ko 플래시 파일들
|
||||
flash properties tinymce ko 플래시 속성
|
||||
flash-file (.swf) tinymce ko 플래시-파일 (.swf)
|
||||
folder tinymce ko 폴더
|
||||
folder already exists. common ko 폴더가 이미 있습니다
|
||||
folder name missing. tinymce ko 폴더명이 빠졌습니다
|
||||
folder not found. tinymce ko 폴더를 찾을 수 없습니다
|
||||
folder with specified new name already exists. folder was not renamed/moved. tinymce ko 새로 입력한 이름의 폴더가 이미 존재합니다. 폴더가 이동되거나 이름이 바뀌지 않았습니다.
|
||||
folder(s) tinymce ko 폴더
|
||||
for mouse out tinymce ko 마우스를 내렸을 때
|
||||
for mouse over tinymce ko 마우스를 올렸을 때
|
||||
friday common ko 금요일
|
||||
ftp common ko FTP
|
||||
fullscreen mode common ko 전체화면 모드
|
||||
@ -168,26 +116,12 @@ help common ko
|
||||
high common ko 높음
|
||||
home common ko 홈으로
|
||||
home email common ko 자택 E-mail
|
||||
image description tinymce ko 그림 설명
|
||||
image title tinymce ko 그림 제목
|
||||
image url common ko 그림 URL
|
||||
indent tinymce ko 들여쓰기
|
||||
insert tinymce ko 삽입
|
||||
insert 'return false' common ko return false 문 삽입
|
||||
insert / edit flash movie tinymce ko 플래시 동영상 삽입/수정
|
||||
insert column after common ko 뒤에 행 넣기
|
||||
insert column before common ko 앞에 행 넣기
|
||||
insert date tinymce ko 날짜 넣기
|
||||
insert emotion tinymce ko 이모티콘 넣기
|
||||
insert file tinymce ko 파일 삽입
|
||||
insert link to file tinymce ko 파일링크 삽입
|
||||
insert row after common ko 뒤에 열 넣기
|
||||
insert row before common ko 앞에 열 넣기
|
||||
insert time tinymce ko 시간 넣기
|
||||
insert/edit image tinymce ko 그림 넣기/고치기
|
||||
insert/edit link tinymce ko 링크 넣기/고치기
|
||||
insert/modify table tinymce ko 표 넣기/고치기
|
||||
inserts a new table tinymce ko 표 넣기
|
||||
invalid filename common ko 잘못된 파일명
|
||||
invalid ip address common ko 잘못된 IP주소
|
||||
invalid password common ko 잘못된 비밀번호
|
||||
@ -195,7 +129,6 @@ it has been more then %1 days since you changed your password common ko
|
||||
it is recommended that you run setup to upgrade your tables to the current version common ko 셋업 기능을 수행하여 데이터베이스 테이블을 현재 버전으로 업그레이드 하는것을 추천합니다.
|
||||
italic common ko 기울임
|
||||
january common ko 1월
|
||||
js-popup tinymce ko JS-Popup
|
||||
july common ko 7월
|
||||
jun common ko 6월
|
||||
june common ko 6월
|
||||
@ -203,7 +136,6 @@ justify center common ko
|
||||
justify full common ko 전체 자리맞춤
|
||||
justify left common ko 왼쪽 자리맞춤
|
||||
justify right common ko 오른쪽 자리맞춤
|
||||
keep linebreaks tinymce ko 줄구분자 유지
|
||||
keywords common ko 키워드
|
||||
korea, democratic peoples republic of common ko 북한
|
||||
korea, republic of common ko 대한민국
|
||||
@ -212,7 +144,6 @@ last name common ko
|
||||
last page common ko 끝 페이지로
|
||||
lastname common ko 성
|
||||
left common ko 왼쪽
|
||||
link url tinymce ko URL 링크
|
||||
list members common ko 멤버 목록
|
||||
login common ko 로그인
|
||||
loginid common ko 로그인ID
|
||||
@ -222,25 +153,16 @@ mail domain, eg. "%1" common ko
|
||||
main category common ko 기본 분류
|
||||
main screen common ko 기본 화면
|
||||
maintainer common ko 관리자
|
||||
make window resizable tinymce ko 크기 조절 가능한 윈도우 생성
|
||||
march common ko 3월
|
||||
max number of icons in navbar common ko 네비게이션바의 최대 아이콘 갯수
|
||||
may common ko 5월
|
||||
medium common ko 중간
|
||||
merge table cells tinymce ko 테이블 셀병합
|
||||
message common ko 메세지
|
||||
minute common ko 분
|
||||
mkdir failed. tinymce ko 디렉토리 생성실패
|
||||
monday common ko 월요일
|
||||
move tinymce ko 이동
|
||||
name common ko 이름
|
||||
name of the user, eg. "%1" common ko 사용자의 이름, 예. "%1"
|
||||
new entry added sucessfully common ko 새로운 데이터가 추가되었습니다.
|
||||
new file name missing! tinymce ko 새 파일명이 빠졌습니다!
|
||||
new file name: tinymce ko 새 파일명:
|
||||
new folder tinymce ko 새 폴더
|
||||
new folder name missing! tinymce ko 새 폴더명이 빠졌습니다!
|
||||
new folder name: tinymce ko 새 폴더명:
|
||||
new main category common ko 새 기본 분류
|
||||
new value common ko 새 값
|
||||
next common ko 다음
|
||||
@ -248,12 +170,6 @@ next page common ko
|
||||
no common ko 아니오
|
||||
no entries found, try again ... common ko 항목을 찾지 못했습니다. 다시 시도해보세요
|
||||
no history for this record common ko 이 레코드의 내역(변동기록)이 없습니다.
|
||||
no permission to create folder. tinymce ko 폴더 생성 권한없음.
|
||||
no permission to delete file. tinymce ko 파일 삭제 권한없음.
|
||||
no permission to move files and folders. tinymce ko 파일,폴더 이동 권한없음.
|
||||
no permission to rename files and folders. tinymce ko 파일,폴더 명명 권한없음.
|
||||
no permission to upload. tinymce ko 업로드 권한 없음.
|
||||
no shadow tinymce ko 그림자없음
|
||||
no subject common ko 제목없음
|
||||
none common ko 없음
|
||||
normal common ko 보통
|
||||
@ -267,19 +183,11 @@ on *nix systems please type: %1 common ko
|
||||
on mouse over common ko 마우스를 올렸을때
|
||||
only private common ko 개인적인것만
|
||||
only yours common ko 자신의 것만
|
||||
open in new window tinymce ko 새 창에서 열기
|
||||
open in parent window / frame tinymce ko 부모 창에서 링크/프레임 열기
|
||||
open in the window tinymce ko 새 창에서 열기
|
||||
open in this window / frame tinymce ko 같은 창에서 링크/프레임 열기
|
||||
open in top frame (replaces all frames) tinymce ko TOP 프레임에서 열기 (모든 프레임을 대체)
|
||||
open link in a new window tinymce ko 새 창에서 링크 열기
|
||||
open link in the same window tinymce ko 같은 창에서 링크 열기
|
||||
open notify window common ko 알림창 열기
|
||||
open popup window common ko 팝업창 열기
|
||||
open sidebox common ko 사이드박스 열기
|
||||
ordered list common ko 번호 매기기
|
||||
original common ko 원본
|
||||
outdent tinymce ko 내어쓰기
|
||||
owner common ko 소유자
|
||||
page common ko 페이지
|
||||
page was generated in %1 seconds common ko 페이지 생성에 소요된 시간 : %1 초
|
||||
@ -292,9 +200,6 @@ password must contain at least %1 numbers common ko
|
||||
password must contain at least %1 special characters common ko 비밀번호는 적어도 %1 개의 특수문자를 포함해야 합니다.
|
||||
password must contain at least %1 uppercase letters common ko 비밀번호는 적어도 %1 개의 대문자를 포함해야 합니다.
|
||||
password must have at least %1 characters common ko 비밀번호는 적어도 %1 개의 문자를 포함해야 합니다.
|
||||
paste as plain text tinymce ko 일반 TEXT 로 붙여넣기
|
||||
paste table row after tinymce ko 이 뒤에 테이블 열붙이기
|
||||
paste table row before tinymce ko 이 앞에 테이블 열붙이기
|
||||
permissions to the files/users directory common ko permissions to the files/users directory
|
||||
phone number common ko 전화번호
|
||||
please %1 by hand common ko %1을 직접 하시오.
|
||||
@ -303,29 +208,20 @@ please select common ko
|
||||
please set your global preferences common ko 전역 환경설정을 필히 설정해주세요!
|
||||
please set your preferences for this application common ko 이 응용프로그램의 환경설정을 설정해주세요
|
||||
please wait... common ko 기다려주세요
|
||||
popup url tinymce ko 팝업 URL
|
||||
position (x/y) tinymce ko 위치 (X/Y)
|
||||
powered by egroupware version %1 common ko Powered by <a href="http://www.egroupware.org">eGroupWare</a> version %1
|
||||
preferences common ko 환경설정
|
||||
preview tinymce ko 미리보기
|
||||
previous page common ko 이전 페이지로
|
||||
priority common ko 중요도
|
||||
private common ko 개인
|
||||
public common ko 공개
|
||||
redo tinymce ko 재실행
|
||||
refresh tinymce ko 새로고침
|
||||
reject common ko 거부
|
||||
remove col tinymce ko 열 지우기
|
||||
remove selected accounts common ko 선택된 계정 삭제
|
||||
rename common ko 이름변경
|
||||
replace common ko 치환
|
||||
replace with common ko 치환될 글월
|
||||
replace all tinymce ko 모두 치환
|
||||
returns a full list of accounts on the system. warning: this is return can be quite large common ko 시스템의 존재하는 계정의 전체목록을 반환합니다. 주의: 데이터가 상당히 클 수 있습니다.
|
||||
returns struct of users application access common ko 사용자의 응용프로그램 액세스 구조 반환
|
||||
right common ko 오른쪽
|
||||
rows tinymce ko 열
|
||||
run spell checking tinymce ko 맞춤법 검사 실행
|
||||
saturday common ko 토요일
|
||||
save common ko 저장
|
||||
search common ko 검색
|
||||
@ -354,33 +250,21 @@ setup main menu common ko
|
||||
show all common ko 모두 보기
|
||||
show all categorys common ko 모든 분류 보기
|
||||
show home and logout button in main application bar? common ko 홈으로와 로그아웃 버튼을 주 응용프로그램 바에 출력하시겠습니까?
|
||||
show locationbar tinymce ko 위치 표시줄을 보여줌
|
||||
show menu common ko 메뉴 보이기
|
||||
show menubar tinymce ko 메뉴바를 보여줌
|
||||
show page generation time common ko 페이지 생성시간 보이기
|
||||
show page generation time on the bottom of the page? common ko 페이지 생성 시간을 페이지 하단에 출력하시겠습니까?
|
||||
show page generation time? common ko 페이지 생성시간을 출력합니까?
|
||||
show scrollbars tinymce ko 스크롤바를 보여줌
|
||||
show statusbar tinymce ko 상태창을 보여줌
|
||||
show toolbars tinymce ko 툴바를 보여줌
|
||||
showing %1 common ko 현재 %1
|
||||
showing %1 - %2 of %3 common ko 전체 %3에서 %1 - %2
|
||||
size tinymce ko 크기
|
||||
sorry, your login has expired login ko 귀하의 사용자ID는 만료되어 더 이상 사용하실수 없습니다.
|
||||
split table cells tinymce ko 테이블 셀 분할
|
||||
status common ko 상태
|
||||
striketrough tinymce ko 가로줄
|
||||
subject common ko 제목
|
||||
submit common ko 전송
|
||||
sunday common ko 일요일
|
||||
table cell properties tinymce ko 테이블 셀 속성
|
||||
table properties common ko 테이블 속성
|
||||
table row properties tinymce ko 테이블 열 속성
|
||||
target tinymce ko 대상
|
||||
the api is current common ko 이 API 는 최신버전입니다.
|
||||
the api requires an upgrade common ko 이 API 는 업그레이드가 필요합니다.
|
||||
the following applications require upgrades common ko 다음의 응용프로그램은 업그레이드가 필요합니다.
|
||||
the search has been compleated. the search string could not be found. tinymce ko 검색이 완료되었습니다. 검색글월을 찾을 수 없습니다
|
||||
this application is current common ko 이 응용프로그램은 최신입니다.
|
||||
this application requires an upgrade common ko 이 응용프로그램은 업그레이드가 필요합니다.
|
||||
thursday common ko 목요일
|
||||
@ -389,33 +273,25 @@ title common ko
|
||||
to correct this error for the future you will need to properly set the common ko 이 오류를 수정하기 위해서는 다음 설정을 하여야 합니다 :
|
||||
to go back to the msg list, click <a href= %1 >here</a> common ko 메세지 목록으로 돌아가기 위해서는 <a href="%1">여기</a>를 클릭해주세요
|
||||
today common ko 오늘
|
||||
toggle fullscreen mode tinymce ko 전체 화면 전환
|
||||
too many unsucessful attempts to login: %1 for the user '%2', %3 for the ip %4 common ko 실패 로그인 시도 횟수가 너무 많습니다: %1 사용자 '%2', %3 IP %4
|
||||
top common ko Top
|
||||
total common ko 합계
|
||||
tuesday common ko 화요일
|
||||
type common ko 형식
|
||||
underline common ko 밑줄
|
||||
undo tinymce ko 실행취소
|
||||
unlink tinymce ko 삭제(링크해제)
|
||||
unlink failed. tinymce ko 삭제(링크해제) 실패
|
||||
unordered list tinymce ko 목차 매기기
|
||||
update common ko 갱신
|
||||
upload common ko 업로드
|
||||
upload directory does not exist, or is not writeable by webserver common ko 업로드 디렉토리가 존재하지 않거나, 웹서버의 쓰기권한이 없습니다.
|
||||
uploading... tinymce ko 업로드중...
|
||||
user common ko 사용자
|
||||
user accounts common ko 사용자 계정
|
||||
user groups common ko 사용자 그룹
|
||||
username common ko 사용자ID
|
||||
users common ko 사용자
|
||||
vertical alignment tinymce ko 수직정렬
|
||||
view common ko 보기
|
||||
wednesday common ko 수요일
|
||||
welcome common ko 환영합니다
|
||||
which groups common ko 그룹선택
|
||||
width common ko 너비
|
||||
window name tinymce ko 창 이름
|
||||
wk jscalendar ko 주
|
||||
work email common ko 업무 E-Mail
|
||||
would you like to display the page generation time at the bottom of every window? common ko 페이지 생성 시간을 모든 창의 하단에 출력하길 원하십니까?
|
||||
@ -428,7 +304,6 @@ you have not entered participants common ko
|
||||
you have selected an invalid date common ko 올바르지 못한 날자를 선택했습니다!
|
||||
you have selected an invalid main category common ko 올바르지 못한 기본 분류를 선택했습니다!
|
||||
you have successfully logged out common ko 성공적으로 로그아웃하였습니다
|
||||
you must enter the url tinymce ko URL 을 필히 입력하여야 합니다.
|
||||
you need to add the webserver user '%1' to the group '%2'. common ko 당신은 웹서버의 유저로 UID %1, GID %2 에 해당하는 ID를 추가해야합니다.
|
||||
your message could <b>not</b> be sent!<br> common ko 당신의 메시지는 <B>발송 실패</B>되었습니다<BR>
|
||||
your message has been sent common ko 메시지가 전송되었습니다.
|
||||
|
@ -32,7 +32,6 @@ bhutan common lt BUTANAS
|
||||
blocked, too many attempts common lt Užblokuota, per daug bandymų
|
||||
bolivia common lt BOLIVIJA
|
||||
border common lt Rėmelis
|
||||
border color tinymce lt Rėmelio spalva
|
||||
brazil common lt BRAZILIJA
|
||||
bulgaria common lt BULGARIJA
|
||||
calendar common lt Kalendorius
|
||||
@ -46,15 +45,12 @@ charset common lt utf-8
|
||||
chile common lt ČILĖ
|
||||
china common lt KINIJA
|
||||
colombia common lt KOLUMBIJA
|
||||
columns tinymce lt Stulpeliai
|
||||
comment tinymce lt Komentaras
|
||||
croatia common lt KROATIJA
|
||||
cuba common lt KUBA
|
||||
currency common lt Valiuta
|
||||
cyprus common lt KIPRAS
|
||||
czech republic common lt ČEKIJA
|
||||
date common lt Data
|
||||
date modified tinymce lt Modifikavimo data
|
||||
date selection: jscalendar lt Datos išrinkimas:
|
||||
december common lt Gruodis
|
||||
default category common lt Numatyta kategorija
|
||||
@ -80,17 +76,8 @@ estonia common lt ESTIJA
|
||||
ethiopia common lt ETIOPIJA
|
||||
fax number common lt fakso numeris
|
||||
february common lt Vasaris
|
||||
file already exists. file was not uploaded. tinymce lt Failas jau egzistuoja. Failas nebuvo įkeltas.
|
||||
file not found. tinymce lt Failas nerastas.
|
||||
file was not uploaded. tinymce lt Failas neįkeltas.
|
||||
file with specified new name already exists. file was not renamed/moved. tinymce lt Failas nurodytu vardu jau egzistuoja. Failas nepervadintas/neperkeltas.
|
||||
file(s) tinymce lt failas(-ai)
|
||||
file: tinymce lt Failas:
|
||||
files common lt Failai
|
||||
filter common lt Filtras
|
||||
find tinymce lt Ieškoti
|
||||
find again tinymce lt Ieškoti vėl
|
||||
find next tinymce lt Ieškoti toliau
|
||||
finland common lt SUOMIJA
|
||||
first name common lt Vardas
|
||||
first name of the user, eg. "%1" common lt Naudotojo vardas, pvz., "%1"
|
||||
@ -108,8 +95,6 @@ hungary common lt VENGRIJA
|
||||
iceland common lt ISLANDIJA
|
||||
india common lt INDIJA
|
||||
indonesia common lt INDONEZIJA
|
||||
insert tinymce lt Įterpti
|
||||
insert date tinymce lt Įterpti datą
|
||||
iran, islamic republic of common lt IRANAS
|
||||
iraq common lt IRAKAS
|
||||
ireland common lt AIRIJA
|
||||
@ -169,7 +154,6 @@ phpgwapi common lt eGroupWare API
|
||||
poland common lt LENKIJA
|
||||
portugal common lt PORTUGALIJA
|
||||
postal common lt Pašto kodas
|
||||
preview tinymce lt Peržiūra
|
||||
print common lt Spausdinti
|
||||
project common lt Projektas
|
||||
qatar common lt KATARAS
|
||||
|
@ -16,7 +16,6 @@
|
||||
3 number of chars for day-shortcut jscalendar nl 3 letters voor verkorte dagaanduiding
|
||||
3 number of chars for month-shortcut jscalendar nl 3 letters voor verkorte maandaanduiding
|
||||
80 (http) admin nl 80 (http)
|
||||
a editor instance must be focused before using this command. tinymce nl Een tekstbewerker moet het actieve venster zijn voordat dit commando gebruikt kan worden.
|
||||
about common nl Over
|
||||
about %1 common nl Over %1
|
||||
about egroupware common nl Over eGroupWare
|
||||
@ -41,17 +40,10 @@ administration common nl Beheer
|
||||
afghanistan common nl AFGHANISTAN
|
||||
albania common nl ALBANIË
|
||||
algeria common nl ALGERIJE
|
||||
align center tinymce nl Centreren
|
||||
align full tinymce nl Uitvullen
|
||||
align left tinymce nl Links uitlijnen
|
||||
align right tinymce nl Rechts uitlijnen
|
||||
alignment tinymce nl Uitlijning
|
||||
all common nl Alles
|
||||
all fields common nl alle velden
|
||||
all occurrences of the search string was replaced. tinymce nl Alle gevonden zoektekst is vervangen.
|
||||
alphabet common nl a,b,c,d,e,f,g,h,i,j,k,l,m,n,o,p,q,r,s,t,u,v,w,x,y,z
|
||||
alternate style-sheet: common nl Afwisselende style-sheet:
|
||||
alternative image tinymce nl Alternatieve afbeelding
|
||||
american samoa common nl AMERIKAANS SAMOA
|
||||
andorra common nl ANDORRA
|
||||
angola common nl ANGOLA
|
||||
@ -91,14 +83,12 @@ belgium common nl BELGI
|
||||
belize common nl BELIZE
|
||||
benin common nl BENIN
|
||||
bermuda common nl BERMUDA
|
||||
bg color tinymce nl Achtergrondkleur
|
||||
bhutan common nl BHUTAN
|
||||
blocked, too many attempts common nl Geblokkeerd, te veel pogingen
|
||||
bold common nl Vet
|
||||
bold.gif common nl bold.gif
|
||||
bolivia common nl BOLIVIA
|
||||
border common nl Rand
|
||||
border color tinymce nl Kader kleur
|
||||
bosnia and herzegovina common nl BOSNIË-HERZEGOVINA
|
||||
botswana common nl BOTSWANA
|
||||
bottom common nl Onder
|
||||
@ -125,9 +115,6 @@ category %1 has been added ! common nl Categorie %1 is toegevoegd
|
||||
category %1 has been updated ! common nl Categorie %1 is bijgewerkt
|
||||
cayman islands common nl KAAIMAN EILANDEN
|
||||
cc common nl Cc
|
||||
cellpadding tinymce nl Cellpadding
|
||||
cellspacing tinymce nl Cellspacing
|
||||
center tinymce nl Centreren
|
||||
centered common nl gecentreerd
|
||||
central african republic common nl CENTRAAL-AFRIKAANSE REPUBLIEK
|
||||
chad common nl CHAD
|
||||
@ -142,12 +129,9 @@ choose a background color for the icons common nl Kies een achtergrondkleur voor
|
||||
choose a background image. common nl Kies een achtergrondafbeelding.
|
||||
choose a background style. common nl Kies een achtergrondstijl.
|
||||
choose a text color for the icons common nl KIes een tekstkleur voor de pictogrammen
|
||||
choose directory to move selected folders and files to. tinymce nl Kies de directory waar de geselecteerde mappen en bestanden naar toe verplaatst moeten worden.
|
||||
choose the category common nl Kies de categorie
|
||||
choose the parent category common nl Kies bovenliggende categorie
|
||||
christmas island common nl CHRISTMASEILAND
|
||||
class tinymce nl Klasse
|
||||
cleanup messy code tinymce nl Slordige code opruimen
|
||||
clear common nl Wissen
|
||||
clear form common nl Formulier wissen
|
||||
click common nl Klik
|
||||
@ -157,19 +141,14 @@ close common nl Sluiten
|
||||
close sidebox common nl Zijkant box sluiten
|
||||
cocos (keeling) islands common nl COCOS (KEELING) EILANDEN
|
||||
colombia common nl COLOMBIA
|
||||
columns tinymce nl Kolommen
|
||||
comment tinymce nl Commentaar
|
||||
common preferences common nl Algemene voorkeuren
|
||||
comoros common nl COMOROS
|
||||
company common nl Bedrijf
|
||||
configuration problem tinymce nl Configuratie probleem
|
||||
congo common nl DEMOCRATISCHE REPUBLIEK CONGO
|
||||
congo, the democratic republic of the common nl DEMOCRATISCHE REPUBLIEK CONGO
|
||||
contacting server... common nl Verbinden met server...
|
||||
cook islands common nl COOKEILANDEN
|
||||
copy common nl Kopiëren
|
||||
copy table row tinymce nl Tabelrij kopiëren
|
||||
copy/cut/paste is not available in mozilla and firefox.\ndo you want more information about this issue? tinymce nl Kopiëren/Knippen/Plakken is niet beschikbaar in Mozilla en Firefox.<br />Wilt u meer informatie hierover?
|
||||
costa rica common nl COSTA RICA
|
||||
cote d ivoire common nl IVOORKUST
|
||||
could not contact server. operation timed out! common nl Kon geen verbinding met server maken. Bewerkingstijd is overschreden!
|
||||
@ -180,16 +159,13 @@ cuba common nl CUBA
|
||||
currency common nl Munteenheid
|
||||
current common nl Huidig
|
||||
current users common nl Huidig aantal gebruikers
|
||||
cut table row tinymce nl Tabelrij knippen
|
||||
cyprus common nl CYPRUS
|
||||
czech republic common nl TSJECHIË
|
||||
date common nl Datum
|
||||
date due common nl Einddatum
|
||||
date modified tinymce nl Wijzigingsdatum
|
||||
date selection: jscalendar nl Datumselectie
|
||||
datetime port.<br>if using port 13, please set firewall rules appropriately before submitting this page.<br>(port: 13 / host: 129.6.15.28) admin nl Datetime poort<br />Indien poort 13 gebruikt wordt, pas dan s.v.p. de firewall regels eerst aan voordat u deze pagina verzendt.<br />(Port: 13 / Host: 129.6.15.28)
|
||||
december common nl December
|
||||
default tinymce nl Standaard
|
||||
default category common nl Standaard Categorie
|
||||
default height for the windows common nl Standaard hoogte voor de vensters
|
||||
default width for the windows common nl Standaard breedte voor de vensters
|
||||
@ -200,10 +176,7 @@ description common nl Beschrijving
|
||||
detail common nl Detail
|
||||
details common nl Details
|
||||
diable the execution a bugfixscript for internet explorer 5.5 and higher to show transparency in png-images? common nl Het bugfixscript uitschakelen dat dient om transparante PNG-afbeeldingen juist weer te geven in Internet Explorer 5.5 en hoger?
|
||||
direction tinymce nl Richting
|
||||
direction left to right common nl Richting links naar rechts
|
||||
direction right to left tinymce nl Richting rechts naar links
|
||||
directory tinymce nl Directory
|
||||
disable internet explorer png-image-bugfix common nl Internet Explorer png-image-bugfix uitschakelen?
|
||||
disable slider effects common nl Bewegende schuifeffecten uitschakelen
|
||||
disable the animated slider effects when showing or hiding menus in the page? opera and konqueror users will probably must want this. common nl Schakel de bewegende schuifeffecten uit wanneer een langzame computer gebruikt of problemen met de uitklapmenus ondervind.
|
||||
@ -212,7 +185,6 @@ disabled common nl Uitgeschakeld
|
||||
display %s first jscalendar nl %s eerst tonen
|
||||
djibouti common nl DJIBOUTI
|
||||
do you also want to delete all subcategories ? common nl Wilt u ook alle subcategorieën wissen
|
||||
do you want to use the wysiwyg mode for this textarea? tinymce nl Wilt u hiervoor de WYSIWIG modus gebruiken?
|
||||
doctype: common nl DOCTYPE:
|
||||
document properties common nl Documenteigenschappen
|
||||
document title: common nl Documenttitel:
|
||||
@ -222,7 +194,6 @@ domestic common nl thuis
|
||||
dominica common nl DOMINICA
|
||||
dominican republic common nl DOMINICAANSE REPUBLIEK
|
||||
done common nl Gereed
|
||||
down tinymce nl Naar beneden
|
||||
drag to move jscalendar nl Sleep om te verplaatsen
|
||||
e-mail common nl Email
|
||||
east timor common nl OOST TIMOR
|
||||
@ -237,7 +208,6 @@ egypt common nl EGYPTE
|
||||
el salvador common nl EL SALVADOR
|
||||
email common nl Email
|
||||
email-address of the user, eg. "%1" common nl emailadres van de gebruiker, bijv. "%1"
|
||||
emotions tinymce nl Emoties
|
||||
en common nl en
|
||||
enabled common nl Geactiveerd
|
||||
end date common nl Einddatum
|
||||
@ -261,39 +231,15 @@ fax number common nl Faxnummer
|
||||
february common nl Februari
|
||||
fields common nl Velden
|
||||
fiji common nl FIJI
|
||||
file already exists. file was not uploaded. tinymce nl Bestand bestaat reeds. Het bestand is niet geupload.
|
||||
file exceeds the size limit tinymce nl Bestand is te groot
|
||||
file manager tinymce nl Bestandsbeheerder
|
||||
file not found. tinymce nl Bestand niet gevonden.
|
||||
file was not uploaded. tinymce nl Bestand is niet geupload.
|
||||
file with specified new name already exists. file was not renamed/moved. tinymce nl Bestand met de opgegeven nieuwe naam bestaat reeds. Bestand werd niet hernoemd of verplaatst.
|
||||
file(s) tinymce nl bestand(en)
|
||||
file: tinymce nl Bestand:
|
||||
files common nl Bestanden
|
||||
files with this extension are not allowed. tinymce nl Bestanden met deze extensie zijn niet toegestaan.
|
||||
filter common nl Filter
|
||||
find tinymce nl Zoeken
|
||||
find again tinymce nl Opnieuw zoeken
|
||||
find what tinymce nl Wat zoeken
|
||||
find next tinymce nl Volgende zoeken
|
||||
find/replace tinymce nl Zoeken/Vervangen
|
||||
finland common nl FINLAND
|
||||
first name common nl Voornaam
|
||||
first name of the user, eg. "%1" common nl Voornaam van de gebruiker, bijv. "%1"
|
||||
first page common nl Eerste pagina
|
||||
firstname common nl Voornaam
|
||||
fixme! common nl FIXME!
|
||||
flash files tinymce nl Flash bestanden
|
||||
flash properties tinymce nl Flash eigenschappen
|
||||
flash-file (.swf) tinymce nl Flash bestand (.swf)
|
||||
folder tinymce nl Map
|
||||
folder already exists. common nl Map bestaat reeds.
|
||||
folder name missing. tinymce nl Mapnaam ontbreekt.
|
||||
folder not found. tinymce nl Map niet gevonden.
|
||||
folder with specified new name already exists. folder was not renamed/moved. tinymce nl Een map met de opgegeven naam bestaat reeds. De map werd niet hernoemd/verplaatst.
|
||||
folder(s) tinymce nl map(pen)
|
||||
for mouse out tinymce nl voor mouse out
|
||||
for mouse over tinymce nl voor mouse over
|
||||
force selectbox common nl Forceer Selectbox
|
||||
france common nl FRANKRIJK
|
||||
french guiana common nl FRANS GUYANA
|
||||
@ -351,30 +297,15 @@ iceland common nl IJSLAND
|
||||
iespell not detected. click ok to go to download page. common nl ieSpell is niet gevonden. Klik OK om naar de download pagina te gaan.
|
||||
if the clock is enabled would you like it to update it every second or every minute? common nl Indien de klok is ingeschakeld, wilt u dan dat deze iedere seconde of iedere minuut wordt geactualiseerd?
|
||||
if there are some images in the background folder you can choose the one you would like to see. common nl Indien er enkele afbeeldingen in de achtergrond map aanwezig zijn, kunt u er een kiezen die u wilt weergeven.
|
||||
image description tinymce nl Afbeeldingsbeschrijving
|
||||
image title tinymce nl Afbeeldingstitel
|
||||
image url common nl Afbeelding URL
|
||||
indent tinymce nl Inspringen
|
||||
india common nl INDIA
|
||||
indonesia common nl INDONESIË
|
||||
insert tinymce nl Invoegen
|
||||
insert 'return false' common nl 'return false' invoegen
|
||||
insert / edit flash movie tinymce nl Flash movie invoegen / bewerken
|
||||
insert / edit horizontale rule tinymce nl Horizontale lijn invoegen / bewerken
|
||||
insert all %1 addresses of the %2 contacts in %3 common nl Voer alle %1 adressen in van de %2 contacten in %3
|
||||
insert column after common nl Kolom invoegen achter
|
||||
insert column before common nl Kolom invoegen voor
|
||||
insert date tinymce nl Datum invoegen
|
||||
insert emotion tinymce nl Emotie invoegen
|
||||
insert file tinymce nl Bestand invoegen
|
||||
insert link to file tinymce nl Link naar bestand invoegen
|
||||
insert row after common nl Rij invoegen onder
|
||||
insert row before common nl Rij invoegen boven
|
||||
insert time tinymce nl Tijd invoegen
|
||||
insert/edit image tinymce nl Afbeelding invoegen/bewerken
|
||||
insert/edit link tinymce nl Link invoegen/bewerken
|
||||
insert/modify table tinymce nl Tabel invoegen/bewerken
|
||||
inserts a new table tinymce nl Voegt een nieuwe tabel in
|
||||
international common nl Internationaal
|
||||
invalid filename common nl Ongelde bestandsnaam
|
||||
invalid ip address common nl Ongeldig IP-adres
|
||||
@ -392,7 +323,6 @@ jamaica common nl JAMAICA
|
||||
january common nl Januari
|
||||
japan common nl JAPAN
|
||||
jordan common nl JORDANIË
|
||||
js-popup tinymce nl JS-Popup
|
||||
july common nl Juli
|
||||
jun common nl Jun
|
||||
june common nl Juni
|
||||
@ -401,7 +331,6 @@ justify full common nl Uitvullen
|
||||
justify left common nl Links uitlijnen
|
||||
justify right common nl Rechts uitlijnen
|
||||
kazakstan common nl KAZACHSTAN
|
||||
keep linebreaks tinymce nl Regeleinden behouden
|
||||
kenya common nl KENIA
|
||||
keywords common nl Trefwoorden
|
||||
kiribati common nl KIRIBATI
|
||||
@ -426,11 +355,9 @@ libyan arab jamahiriya common nl LIBI
|
||||
license common nl Licentie
|
||||
liechtenstein common nl LIECHTENSTEIN
|
||||
line %1: '%2'<br><b>csv data does not match column-count of table %3 ==> ignored</b> common nl Regel %1: '%2'<br /><b>csv gegevens klopt niet met het aantal kolommen van tabel %3 ==> genegeerd</b>
|
||||
link url tinymce nl Link URL
|
||||
list common nl Lijst
|
||||
list members common nl Lijst van leden
|
||||
lithuania common nl LITOUWEN
|
||||
loading files tinymce nl Bestanden laden
|
||||
local common nl Lokaal
|
||||
login common nl Aanmelden
|
||||
loginid common nl Loginnaam
|
||||
@ -445,7 +372,6 @@ mail domain, eg. "%1" common nl emai domein, bijv. "%1"
|
||||
main category common nl Hoofdcategorie
|
||||
main screen common nl Hoofdscherm
|
||||
maintainer common nl Beheerder
|
||||
make window resizable tinymce nl Een venster resizable maken
|
||||
malawi common nl MALAWI
|
||||
malaysia common nl MALEISIË
|
||||
maldives common nl MALADIEVEN
|
||||
@ -454,7 +380,6 @@ malta common nl MALTA
|
||||
march common nl Maart
|
||||
marshall islands common nl MARSHALL EILANDEN
|
||||
martinique common nl MARTINIQUE
|
||||
match case tinymce nl Identieke hoofd-/kleine letter
|
||||
mauritania common nl MAURITANIË
|
||||
mauritius common nl MAURITIUS
|
||||
max number of icons in navbar common nl Max. aantal iconen in navigatiebalk?
|
||||
@ -462,19 +387,16 @@ may common nl Mei
|
||||
mayotte common nl MAYOTTE
|
||||
medium common nl Gemiddeld
|
||||
menu common nl Menu
|
||||
merge table cells tinymce nl Tabelcellen samenvoegen
|
||||
message common nl Bericht
|
||||
mexico common nl MEXICO
|
||||
micronesia, federated states of common nl MICRONESIË
|
||||
minute common nl minuut
|
||||
mkdir failed. tinymce nl Mkdir is mislukt.
|
||||
moldova, republic of common nl MOLDOVIË
|
||||
monaco common nl MONACO
|
||||
monday common nl Maandag
|
||||
mongolia common nl MONGOLIË
|
||||
montserrat common nl MONTSERRAT
|
||||
morocco common nl MAROKKO
|
||||
move tinymce nl Verplaatsen
|
||||
mozambique common nl MOZAMBIQUE
|
||||
multiple common nl meerdere
|
||||
myanmar common nl BIRMA (MYANMAR)
|
||||
@ -488,11 +410,6 @@ netherlands antilles common nl DE NEDERLANDSE ANTILLEN
|
||||
never common nl Nooit
|
||||
new caledonia common nl NIEUW-CALEDONIË
|
||||
new entry added sucessfully common nl Nieuw item succesvol toegevoegd
|
||||
new file name missing! tinymce nl Nieuwe bestandsnaam ontbreekt!
|
||||
new file name: tinymce nl Nieuwe bestandsnaam:
|
||||
new folder tinymce nl Nieuwe map
|
||||
new folder name missing! tinymce nl Nieuwe mapnaam ontbreekt!
|
||||
new folder name: tinymce nl Nieuwe mapnaam:
|
||||
new main category common nl Nieuwe hoofdcategorie
|
||||
new value common nl Nieuwe waarde
|
||||
new zealand common nl NIEUW ZEELAND
|
||||
@ -506,15 +423,8 @@ nigeria common nl NIGERIA
|
||||
niue common nl NIUE
|
||||
no common nl Nee
|
||||
no entries found, try again ... common nl Geen items gevonden, probeer het nogmaals ...
|
||||
no files... tinymce nl Geen bestanden...
|
||||
no history for this record common nl Geen geschiedenis voor dit item
|
||||
no permission to create folder. tinymce nl Geen rechten om een map aan te maken.
|
||||
no permission to delete file. tinymce nl Geen rechten om een bestand te verwijderen.
|
||||
no permission to move files and folders. tinymce nl Geen rechten om bestanden en mappen te verplaatsen.
|
||||
no permission to rename files and folders. tinymce nl Geen rechten om bestanden en mappen te hernoemen.
|
||||
no permission to upload. tinymce nl Geen rechten om te uploaden.
|
||||
no savant2 template directories were found in: common nl Geen Savant2 template mappen gevonden in:
|
||||
no shadow tinymce nl Geen schaduw
|
||||
no subject common nl Geen onderwerp
|
||||
none common nl Geen
|
||||
norfolk island common nl NORFOLK EILAND
|
||||
@ -533,24 +443,14 @@ old value common nl Oude waarde
|
||||
oman common nl OMAN
|
||||
on *nix systems please type: %1 common nl Op *nix systemen typt u: %1
|
||||
on mouse over common nl Bij Mouse Over
|
||||
only files with extensions are permited, e.g. "imagefile.jpg". tinymce nl Uitsluitend bestanden met extensie zijn toegestaan, bijvoorbeeld "afbeelding.jpg".
|
||||
only private common nl alleen privé
|
||||
only yours common nl alleen eigen weergeven
|
||||
open file in new window tinymce nl Bestand openen in een nieuw venster
|
||||
open in new window tinymce nl Openen in een nieuw venster
|
||||
open in parent window / frame tinymce nl Openen in het parent venster / frame
|
||||
open in the window tinymce nl Openen in het venster
|
||||
open in this window / frame tinymce nl Openen in dit venster / frame
|
||||
open in top frame (replaces all frames) tinymce nl Openen in het bovenste frame (vervangt alle frames)
|
||||
open link in a new window tinymce nl Link openen in een nieuw venster
|
||||
open link in the same window tinymce nl Link openen in hetzelfde venster
|
||||
open notify window common nl Attentievenster openen
|
||||
open popup window common nl Popupvenster openen
|
||||
open sidebox common nl Zijkant box openen
|
||||
ordered list common nl Genummerde lijst
|
||||
original common nl Origineel
|
||||
other common nl Andere
|
||||
outdent tinymce nl Uitspringen
|
||||
overview common nl Overzicht
|
||||
owner common nl Eigenaar
|
||||
page common nl Pagina
|
||||
@ -571,11 +471,6 @@ password must contain at least %1 numbers common nl Wachtwoord moet minstens %1
|
||||
password must contain at least %1 special characters common nl Wachtwoord moet minstens %1 bijzondere tekens bevatten
|
||||
password must contain at least %1 uppercase letters common nl Wachtwoord moet minstens %1 hoofdletters bevatten
|
||||
password must have at least %1 characters common nl Wachtwoord moet minstens %1 tekens bevatten
|
||||
paste as plain text tinymce nl Plakken als platte tekst
|
||||
paste from word tinymce nl Plakken uit Word
|
||||
paste table row after tinymce nl Tabelrij plakken na
|
||||
paste table row before tinymce nl Tabelrij plakken voor
|
||||
path not found. tinymce nl Pad niet gevonden.
|
||||
path to user and group files has to be outside of the webservers document-root!!! common nl Pad naar gebruikers- en groepsbestanden. Dit MOET BUITEN het pad liggen van de documentendirectorie van de webserver !!!
|
||||
pattern for search in addressbook common nl Patroon voor Zoeken in adresboek
|
||||
pattern for search in calendar common nl Patroon voor Zoeken in agenda
|
||||
@ -589,17 +484,13 @@ phpgwapi common nl eGroupWare API
|
||||
pitcairn common nl PITCAIRN (EILAND)
|
||||
please %1 by hand common nl Gelieve %1 handmatig uit te voeren
|
||||
please enter a name common nl Vul a.u.b. een naam in !
|
||||
please enter the caption text tinymce nl Vul de bijschrifttekst in
|
||||
please insert a name for the target or choose another option. tinymce nl Vul a.u.b. een doelnaam in of kies een ander optie.
|
||||
please run setup to become current common nl Voer a.u.b. de setup uit om een actuele versie te verkrijgen
|
||||
please select common nl Selecteer a.u.b.
|
||||
please set your global preferences common nl Stel a.u.b. uw persoonlijke voorkeuren in !
|
||||
please set your preferences for this application common nl Stel a.u.b. uw voorkeuren in voor deze toepassing !
|
||||
please wait... common nl Even geduld a.u.b.
|
||||
poland common nl POLEN
|
||||
popup url tinymce nl Popup URL
|
||||
portugal common nl PORTUGAL
|
||||
position (x/y) tinymce nl Positie (X/Y)
|
||||
postal common nl Post
|
||||
powered by egroupware version %1 common nl Gebruikt <a href="http://www.egroupware.org">eGroupWare</a> versie %1
|
||||
powered by phpgroupware version %1 common nl Draait op phpGroupWare versie %1
|
||||
@ -607,7 +498,6 @@ preferences common nl Voorkeuren
|
||||
preferences for the idots template set common nl Voorkeuren voor de idots template set
|
||||
prev. month (hold for menu) jscalendar nl Vorige maand (vasthouden voor menu)
|
||||
prev. year (hold for menu) jscalendar nl Vorig jaar (vasthouden voor menu)
|
||||
preview tinymce nl Voorbeeld
|
||||
previous page common nl Vorige pagina
|
||||
primary style-sheet: common nl Primaire style-sheet:
|
||||
print common nl Afdrukken
|
||||
@ -621,26 +511,18 @@ qatar common nl QATAR
|
||||
read common nl Lezen
|
||||
read this list of methods. common nl Lees deze lijst met methodes.
|
||||
reading common nl leest
|
||||
redo tinymce nl Opnieuw
|
||||
refresh tinymce nl Verversen
|
||||
reject common nl Afwijzen
|
||||
remove col tinymce nl Kolom verwijderen
|
||||
remove selected accounts common nl verwijder geselecteerde accounts
|
||||
remove shortcut common nl Snelkoppeling verwijderen
|
||||
rename common nl Hernoemen
|
||||
rename failed tinymce nl Hernoemen is mislukt
|
||||
replace common nl Vervangen
|
||||
replace with common nl Vervangen met
|
||||
replace all tinymce nl Alles vervangen
|
||||
returns a full list of accounts on the system. warning: this is return can be quite large common nl Geeft een volledige lijst met accounts die aanwezig zijn op het systeem. Waarschuwing: Deze lijst kan erg lang zijn.
|
||||
returns an array of todo items common nl Geef een serie van todo items
|
||||
returns struct of users application access common nl Geeft de toegangsrechten van de gebruikers
|
||||
reunion common nl RÉUNION (EILAND)
|
||||
right common nl Rechts
|
||||
rmdir failed. tinymce nl Directory verwijderen is mislukt.
|
||||
romania common nl ROMANIË
|
||||
rows tinymce nl Rijen
|
||||
run spell checking tinymce nl Spellingcontrole uitvoeren
|
||||
russian federation common nl RUSLAND
|
||||
rwanda common nl RWANDA
|
||||
saint helena common nl SINT HELENA
|
||||
@ -662,7 +544,6 @@ search or select multiple accounts common nl zoek of selecteer meerdere accounts
|
||||
second common nl seconde
|
||||
section common nl Sectie
|
||||
select common nl Selecteren
|
||||
select all tinymce nl Alles selecteren
|
||||
select all %1 %2 for %3 common nl Selecteer alle %1 %2 voor %3
|
||||
select category common nl Selecteer Categorie
|
||||
select date common nl Selecteer datum
|
||||
@ -690,23 +571,17 @@ show all common nl laat alles zien
|
||||
show all categorys common nl Alle categorieën weergegeven
|
||||
show clock? common nl Klok weergeven?
|
||||
show home and logout button in main application bar? common nl Home en logout knop weergeven in de toepassingen balk?
|
||||
show locationbar tinymce nl Lokatiebalk tonen
|
||||
show logo's on the desktop. common nl Logo's op het bureaublad weergeven.
|
||||
show menu common nl toon menu
|
||||
show menubar tinymce nl Menubalk tonen
|
||||
show page generation time common nl Verlooptijd van de pagina's weergeven?
|
||||
show page generation time on the bottom of the page? common nl Generatietijd van de pagina's weergeven onderaan de pagina?
|
||||
show page generation time? common nl Verlooptijd pagina weergeven?
|
||||
show scrollbars tinymce nl Scrollbars tonen
|
||||
show statusbar tinymce nl Statusbalk tonen
|
||||
show the logo's of egroupware and x-desktop on the desktop. common nl Toont de logo's van eGroupWare en x-desktop op het bureaublad.
|
||||
show toolbars tinymce nl Gereedschapsbalken tonen
|
||||
show_more_apps common nl Meer applicaties weergeven
|
||||
showing %1 common nl weergegeven: %1
|
||||
showing %1 - %2 of %3 common nl weergegeven: %1 - %2 van %3
|
||||
sierra leone common nl SIERRA LEONE
|
||||
singapore common nl SINGAPORE
|
||||
size tinymce nl Grootte
|
||||
slovakia common nl SLOWAKIJË
|
||||
slovenia common nl SLOVENIË
|
||||
solomon islands common nl SALOMOMEILANDEN
|
||||
@ -715,7 +590,6 @@ sorry, your login has expired login nl Excuses, uw sessie is verlopen
|
||||
south africa common nl ZUID AFRIKA
|
||||
south georgia and the south sandwich islands common nl ZUID-GEORGIA EN DE ZUIDELIJKE SANDWICHEILANDEN
|
||||
spain common nl SPANJE
|
||||
split table cells tinymce nl Tabelcellen opsplitsen
|
||||
sri lanka common nl SRI LANKA
|
||||
start date common nl Startdatum
|
||||
start time common nl Starttijd
|
||||
@ -723,7 +597,6 @@ start with common nl starten met
|
||||
starting up... common nl Wordt opgestart...
|
||||
status common nl Status
|
||||
stretched common nl uitgerekt
|
||||
striketrough tinymce nl Doorhalen
|
||||
subject common nl Onderwerp
|
||||
submit common nl Verzenden
|
||||
substitutions and their meanings: common nl Vervangingen en hun betekenissen:
|
||||
@ -735,24 +608,18 @@ swaziland common nl SWAZILAND
|
||||
sweden common nl ZWEDEN
|
||||
switzerland common nl ZWITSERLAND
|
||||
syrian arab republic common nl SYRIË
|
||||
table cell properties tinymce nl Tabelcel-eigenschappen
|
||||
table properties common nl Tabel-eigenschappen
|
||||
table row properties tinymce nl Tabelrij-eigenschappen
|
||||
taiwan common nl TAIWAN/TAIPEI
|
||||
tajikistan common nl TADZJIKISTAN
|
||||
tanzania, united republic of common nl TANZANIA
|
||||
target tinymce nl Doel
|
||||
text color: common nl Tekstkleur:
|
||||
thailand common nl THAILAND
|
||||
the api is current common nl De API is actueel
|
||||
the api requires an upgrade common nl De API vereist een upgrade
|
||||
the following applications require upgrades common nl De volgende toepassingen vereisen een upgrade
|
||||
the mail server returned common nl De mailserver gaf als reactie
|
||||
the search has been compleated. the search string could not be found. tinymce nl De zoekopdracht is voltooid. De er is niets gevonden.
|
||||
this application is current common nl Deze toepassing is actueel
|
||||
this application requires an upgrade common nl Deze toepassing vereist een upgrade
|
||||
this is just a template button tinymce nl Dit is slechts een template knop
|
||||
this is just a template popup tinymce nl Dit is slechts een template popup
|
||||
this name has been used already common nl Deze naam is reeds in gebruik !
|
||||
thursday common nl Donderdag
|
||||
tiled common nl als tegels
|
||||
@ -767,7 +634,6 @@ to go back to the msg list, click <a href= %1 >here</a> common nl Klik <a href="
|
||||
today common nl Vandaag
|
||||
todays date, eg. "%1" common nl datum vandaag, bijv. "%1"
|
||||
toggle first day of week jscalendar nl (de)activeer eerste dag van de week
|
||||
toggle fullscreen mode tinymce nl Wissel met volledige scherm weergave
|
||||
togo common nl TOGO
|
||||
tokelau common nl TOKELAU
|
||||
tonga common nl TONGA
|
||||
@ -787,29 +653,21 @@ uganda common nl UGANDA
|
||||
ukraine common nl OEKRAÏNE
|
||||
underline common nl Onderstrepen
|
||||
underline.gif common nl underline.gif
|
||||
undo tinymce nl Ongedaan maken
|
||||
united arab emirates common nl VERENIGDE ARABISCHE EMIRATEN
|
||||
united kingdom common nl VERENIGD KONINKRIJK
|
||||
united states common nl VERENIGDE STATES
|
||||
united states minor outlying islands common nl VERENIGDE STATES: KLEINE EILANDEN
|
||||
unknown common nl Onbekend
|
||||
unlink tinymce nl Link opheffen
|
||||
unlink failed. tinymce nl Link opheffen mislukte.
|
||||
unordered list tinymce nl Ongesorteerde lijst
|
||||
up tinymce nl Omhoog
|
||||
update common nl Bijwerken
|
||||
update the clock per minute or per second common nl De klok per minuut of per seconde actualiseren
|
||||
upload common nl Upload
|
||||
upload directory does not exist, or is not writeable by webserver common nl Upload map bestaat niet of is niet schrijfbaar voor de webserver
|
||||
uploading... tinymce nl Uploaden....
|
||||
url common nl URL
|
||||
uruguay common nl URUGUAY
|
||||
use button to search for common nl Gebruik knop om te zoeken naar
|
||||
use button to search for address common nl gebruik Knop om te zoeken naar Adressen
|
||||
use button to search for calendarevent common nl gebruik Knop om te zoeken naar Agenda-afspraken
|
||||
use button to search for project common nl gebruik Knop om te zoeken naar Projecten
|
||||
use ctrl and/or shift to select multiple items. tinymce nl Gebruik Ctrl en/of Shift om meerdere items te selecteren.
|
||||
use ctrl+v on your keyboard to paste the text into the window. tinymce nl Gebruik Ctrl+V op uw toetsenbord om het bestand in het venster te plakken.
|
||||
user common nl Gebruiker
|
||||
user accounts common nl Gebruikersaccounts
|
||||
user groups common nl Gebruikersgroepen
|
||||
@ -821,13 +679,11 @@ uzbekistan common nl OEZBEKISTAN
|
||||
vanuatu common nl VANUATU
|
||||
venezuela common nl VENEZUELA
|
||||
version common nl Versie
|
||||
vertical alignment tinymce nl Vertikaal uitlijnen
|
||||
viet nam common nl VIETNAM
|
||||
view common nl Bekijken
|
||||
virgin islands, british common nl BRITSE MAAGDENEILANDEN
|
||||
virgin islands, u.s. common nl AMERIKAANSE MAAGDENEILANDEN
|
||||
wallis and futuna common nl WALLIS EN FUTUNA
|
||||
warning!\n renaming or moving folders and files will break existing links in your documents. continue? tinymce nl Waarschuwing!<br />Het hernoemen of verplaatsen van mappen zal eventuele links uw documenten verbreken. Doorgaan?
|
||||
wednesday common nl Woensdag
|
||||
welcome common nl Welkom
|
||||
western sahara common nl WESTELIJK SAHARA
|
||||
@ -836,7 +692,6 @@ what style would you like the image to have? common nl Welke stijl wilt u dat de
|
||||
when you say yes the home and logout buttons are presented as applications in the main top applcation bar. common nl Indien u ja antwoord worden de home en loguit knop gepresenteerd als toepassingen in de toepassingenbalk.
|
||||
which groups common nl Welke groepen
|
||||
width common nl Breedte
|
||||
window name tinymce nl Vensternaam
|
||||
wk jscalendar nl wk
|
||||
work email common nl email werk
|
||||
would you like to display the page generation time at the bottom of every window? common nl Wilt u de pagina gerereer tijd onderaan iedere pagina laten weergeven?
|
||||
@ -854,7 +709,6 @@ you have not entered participants common nl U heeft geen deelnemers opgegeven !
|
||||
you have selected an invalid date common nl U heeft een ongeldige datum geselecteerd !
|
||||
you have selected an invalid main category common nl U heeft een ongeldige hoofdcategorie geselecteerd !
|
||||
you have successfully logged out common nl U bent succesvol afgemeld
|
||||
you must enter the url tinymce nl U moet de URL invullen
|
||||
you need to add the webserver user '%1' to the group '%2'. common nl Je moet de webserver user '%1' aan groep '%2' toevoegen.
|
||||
your message could <b>not</b> be sent!<br> common nl Uw bericht kon niet worden verzonden !
|
||||
your message has been sent common nl Uw bericht is verzonden
|
||||
|
@ -13,7 +13,6 @@
|
||||
3 number of chars for day-shortcut jscalendar no 3 karakterer for dag
|
||||
3 number of chars for month-shortcut jscalendar no 3 karakterer for måned
|
||||
80 (http) admin no 80 (http)
|
||||
a editor instance must be focused before using this command. tinymce no Editoren må være i fokus før du benytter denne kommando.
|
||||
about common no Om
|
||||
about %1 common no Om %1
|
||||
about the calendar jscalendar no Om kalenderen
|
||||
@ -36,14 +35,8 @@ administration common no Administrasjon
|
||||
afghanistan common no AFGANISTAN
|
||||
albania common no ALBANIA
|
||||
algeria common no ALGERIE
|
||||
align center tinymce no Sentrere
|
||||
align full tinymce no Fyll
|
||||
align left tinymce no Vensterestille
|
||||
align right tinymce no Høyerestille
|
||||
alignment tinymce no Justering
|
||||
all common no Alle
|
||||
all fields common no alle felt
|
||||
all occurrences of the search string was replaced. tinymce no Alle forekomster av søkestrengen ble erstattet
|
||||
alphabet common no a,b,c,d,e,f,g,h,i,j,k,l,m,n,o,p,q,r,s,t,u,v,w,x,y,x,z
|
||||
alternate style-sheet: common no Alternativt Style Sheet
|
||||
american samoa common no SAMOA
|
||||
@ -81,13 +74,11 @@ belgium common no BELGIA
|
||||
belize common no BELIZE
|
||||
benin common no BENIN
|
||||
bermuda common no BERMUDA
|
||||
bg color tinymce no Bg color
|
||||
bhutan common no BHUTAN
|
||||
blocked, too many attempts common no Sperret, for mange forsøk
|
||||
bold common no Uthevet
|
||||
bolivia common no BOLIVIA
|
||||
border common no Rammebredde
|
||||
border color tinymce no Border color
|
||||
bosnia and herzegovina common no BOSNIA-HERZEGOVINA
|
||||
botswana common no BOTSWANA
|
||||
bottom common no Bottom
|
||||
@ -112,9 +103,6 @@ category %1 has been added ! common no Kategori %1 ble lagt til!
|
||||
category %1 has been updated ! common no Kategori %1 ble oppdatert!
|
||||
cayman islands common no CAYMAN-ØYENE
|
||||
cc common no Cc
|
||||
cellpadding tinymce no Celle-padding
|
||||
cellspacing tinymce no Celle-mellomrom
|
||||
center tinymce no Midten
|
||||
central african republic common no SENTRALAFRIKANSKE REPUBLIKK
|
||||
chad common no CHAD
|
||||
change common no Endre
|
||||
@ -123,12 +111,9 @@ check installation common no Sjekk installasjon
|
||||
check now common no Sjekk nå
|
||||
chile common no CHILE
|
||||
china common no KINA
|
||||
choose directory to move selected folders and files to. tinymce no Velg mappe hvor valgte mapper og filer skal flyttes til
|
||||
choose the category common no Velg kategori
|
||||
choose the parent category common no Velg overordnet kategori
|
||||
christmas island common no CHRISTMAS ISLAND
|
||||
class tinymce no Stil
|
||||
cleanup messy code tinymce no Rens grisete kode
|
||||
clear common no Tøm
|
||||
clear form common no Tøm skjema
|
||||
click common no Klikk
|
||||
@ -137,17 +122,12 @@ click or mouse over to show menus? common no Klikk eller hold peker over for
|
||||
close common no Lukk
|
||||
cocos (keeling) islands common no COCOS (KEELING) ØYENE
|
||||
colombia common no COLOMBIA
|
||||
columns tinymce no Kolonner
|
||||
comment tinymce no Kommentar
|
||||
comoros common no COMOROS
|
||||
company common no Firma
|
||||
configuration problem tinymce no Konfigurasjonsproblem
|
||||
congo common no KONGO
|
||||
congo, the democratic republic of the common no KONGO, Den demokratiske republikk
|
||||
cook islands common no COOK ØYENE
|
||||
copy common no Kopier
|
||||
copy table row tinymce no Copy table row
|
||||
copy/cut/paste is not available in mozilla and firefox.\ndo you want more information about this issue? tinymce no Kopi/kutt/lim inn er ikke tilgjengelig i Mozilla og Firefox.\NØnsker du mer informasjon om dette?
|
||||
costa rica common no COSTA RICA
|
||||
cote d ivoire common no ELFENBENSKYSTEN
|
||||
create common no Opprett
|
||||
@ -157,16 +137,13 @@ cuba common no CUBA
|
||||
currency common no Myntenhet
|
||||
current common no Nåværende
|
||||
current users common no Nåværende brukere
|
||||
cut table row tinymce no Cut table row
|
||||
cyprus common no KYPROS
|
||||
czech republic common no TSJEKKIA
|
||||
date common no Dato
|
||||
date due common no Dato Ferdig
|
||||
date modified tinymce no Dato endret:
|
||||
date selection: jscalendar no Dato utvalg
|
||||
datetime port.<br>if using port 13, please set firewall rules appropriately before submitting this page.<br>(port: 13 / host: 129.6.15.28) admin no Datetime port.<br>Hvis port 13 brukes, vennligst påse at brannmur-reglene er riktige før du oppdaterer denne siden.<br>(Port: 13 / Host: 129.6.15.28)
|
||||
december common no Desember
|
||||
default tinymce no Ingen
|
||||
default category common no Standard kategori
|
||||
delete common no Slett
|
||||
delete row common no Fjern rad
|
||||
@ -175,9 +152,6 @@ description common no Beskrivelse
|
||||
detail common no Detalj
|
||||
details common no Detaljer
|
||||
diable the execution a bugfixscript for internet explorer 5.5 and higher to show transparency in png-images? common no Koble ut bugscriptfix for Internet Explorer 5.5 og høyere for å vise gjennomsiktige PNG-bilder?
|
||||
direction tinymce no Retning
|
||||
direction right to left tinymce no Fra høyre mot venstre
|
||||
directory tinymce no Mappe
|
||||
disable internet explorer png-image-bugfix common no Koble ut Internet Explorer png-bilde bugfix
|
||||
disable slider effects common no Slå av skyve-effektene
|
||||
disable the animated slider effects when showing or hiding menus in the page? opera and konqueror users will probably must want this. common no Slå av de animerte skyver-effektene under visning eller skjuling av menyene på siden? Opera og Konqueror brukere bør sannsynligvis velge dette.
|
||||
@ -185,7 +159,6 @@ disabled common no Utkoblet
|
||||
display %s first jscalendar no Vis %s først
|
||||
djibouti common no DJIBOUTI
|
||||
do you also want to delete all subcategories ? common no Vil du slette alle underkategoriene?
|
||||
do you want to use the wysiwyg mode for this textarea? tinymce no Vil du benytte WYSIWYG editoren for dette tekstfelt?
|
||||
doctype: common no Dok.type:
|
||||
document properties common no Dokumentegenskaper
|
||||
document title: common no Dokumenttittel
|
||||
@ -195,7 +168,6 @@ domestic common no Innenlands
|
||||
dominica common no DOMINICA
|
||||
dominican republic common no DOMINIKANSKE REPUBLIKK
|
||||
done common no Ferdig
|
||||
down tinymce no Ned
|
||||
drag to move jscalendar no Dra for å flytte
|
||||
e-mail common no E-Post
|
||||
east timor common no ØST TIMOR
|
||||
@ -210,7 +182,6 @@ egypt common no EGYPT
|
||||
el salvador common no EL SALVADOR
|
||||
email common no Epost
|
||||
email-address of the user, eg. "%1" common no brukerens epost-adresse, f.eks: "%1"
|
||||
emotions tinymce no Følelser
|
||||
enabled common no Påslått
|
||||
end date common no Sluttdato
|
||||
end time common no Slutt tidspunkt
|
||||
@ -232,38 +203,14 @@ fax number common no Telefaksnummer
|
||||
february common no Februar
|
||||
fields common no Felter
|
||||
fiji common no FIJI
|
||||
file already exists. file was not uploaded. tinymce no Filen eksisterer allerede. Filen ble ikke opplastet
|
||||
file exceeds the size limit tinymce no Filen overskrider str.grense
|
||||
file manager tinymce no Filbehandler
|
||||
file not found. tinymce no Fil ikke funnet
|
||||
file was not uploaded. tinymce no Filen ble ikke lastet opp
|
||||
file with specified new name already exists. file was not renamed/moved. tinymce no Det eksisterer allerede en fil med dette navnet. Filen ble ikke gitt nytt navn eller flyttet.
|
||||
file(s) tinymce no fil(er)
|
||||
file: tinymce no Fil:
|
||||
files common no Filer
|
||||
files with this extension are not allowed. tinymce no Filer av denne typen er ikke gyldige
|
||||
filter common no Filter
|
||||
find tinymce no Find
|
||||
find again tinymce no Find på nytt
|
||||
find what tinymce no Finne hva
|
||||
find next tinymce no Finne neste
|
||||
find/replace tinymce no Finn/erstatt
|
||||
finland common no FINLAND
|
||||
first name common no Fornavn
|
||||
first name of the user, eg. "%1" common no brukerens fornavn, f.eks: "%1"
|
||||
first page common no Første side
|
||||
firstname common no Fornavn
|
||||
fixme! common no FIXMEG!
|
||||
flash files tinymce no Flash filer
|
||||
flash properties tinymce no Flash egenskaper
|
||||
flash-file (.swf) tinymce no Flash fil (.swf)
|
||||
folder tinymce no Mappe
|
||||
folder name missing. tinymce no Mappenavn mangler
|
||||
folder not found. tinymce no Mappe ikke funnet
|
||||
folder with specified new name already exists. folder was not renamed/moved. tinymce no Det finnes allerede en mappe med det navnet. Mappen ble ikke gitt nytt navn eller flyttet.
|
||||
folder(s) tinymce no Mappe(r)
|
||||
for mouse out tinymce no for mus ut
|
||||
for mouse over tinymce no for mus over
|
||||
force selectbox common no Tvungen utvalgsboks
|
||||
france common no FRANKRIKE
|
||||
french guiana common no FRANSKE GUYANA
|
||||
@ -305,7 +252,6 @@ guyana common no GUYANA
|
||||
haiti common no HAITI
|
||||
heard island and mcdonald islands common no HEARD OG MCDONALD ØYENE
|
||||
height common no Høyde
|
||||
help tinymce no Hjelp
|
||||
high common no Høy
|
||||
highest common no Høyest
|
||||
holy see (vatican city state) common no VATIKANET
|
||||
@ -316,29 +262,14 @@ hong kong common no HONG KONG
|
||||
how many icons should be shown in the navbar (top of the page). additional icons go into a kind of pulldown menu, callable by the icon on the far right side of the navbar. common no Hvor mange ikoner som skal vises på navigasjonslinjen (på toppen av siden). Ekstra ikoner vises i en rullegardinmeny ved å trykke på ikonet lengst til høyre på navigasjonslinjen.
|
||||
hungary common no UNGARN
|
||||
iceland common no ISLAND
|
||||
image description tinymce no Bildets beskrivelse
|
||||
image title tinymce no Bildetittel
|
||||
image url common no Bildets URL
|
||||
indent tinymce no Indrag
|
||||
india common no INDIA
|
||||
indonesia common no INONESIA
|
||||
insert tinymce no Opprett
|
||||
insert / edit flash movie tinymce no Sett inn / endre Flash film
|
||||
insert / edit horizontale rule tinymce no Sett inn / endre horisontale regler
|
||||
insert all %1 addresses of the %2 contacts in %3 common no Legg til alle %1 adresser fra %2 kontakter i %3
|
||||
insert column after common no Opprett kolonne etter
|
||||
insert column before common no Opprett kolonne før
|
||||
insert date tinymce no Sett inn dato
|
||||
insert emotion tinymce no Sett inn "følelsestegn"
|
||||
insert file tinymce no Sett inn fil
|
||||
insert link to file tinymce no Sett inn lenke til fil
|
||||
insert row after common no Opprett rad etter
|
||||
insert row before common no Opprett rad før
|
||||
insert time tinymce no Sett inn tid
|
||||
insert/edit image tinymce no Opprett/endre bilde
|
||||
insert/edit link tinymce no Opprett/endre lenke
|
||||
insert/modify table tinymce no Opprett/endre tabell
|
||||
inserts a new table tinymce no Opprett/endre tabell
|
||||
international common no Internasjonal
|
||||
invalid ip address common no Ugyldig IP adresse
|
||||
invalid password common no Ugyldig passord
|
||||
@ -354,7 +285,6 @@ jamaica common no JAMAICA
|
||||
january common no Januar
|
||||
japan common no JAPAN
|
||||
jordan common no JORDAN
|
||||
js-popup tinymce no JS Popup
|
||||
july common no Juli
|
||||
jun common no Jun
|
||||
june common no Juni
|
||||
@ -363,7 +293,6 @@ justify full common no Fulljust
|
||||
justify left common no Venstrejustèr
|
||||
justify right common no Høyrejustèr
|
||||
kazakstan common no KAZAKSTAN
|
||||
keep linebreaks tinymce no Behold linjeskift
|
||||
kenya common no KENYA
|
||||
keywords common no Nøkkelord
|
||||
kiribati common no KIRIBATI
|
||||
@ -386,11 +315,9 @@ liberia common no LIBERIA
|
||||
libyan arab jamahiriya common no LIBYA
|
||||
license common no Lisens
|
||||
liechtenstein common no LIECHTENSTEIN
|
||||
link url tinymce no Lenkens URL
|
||||
list common no Liste
|
||||
list members common no Liste medlemmer
|
||||
lithuania common no LITAUEN
|
||||
loading files tinymce no Laster filer
|
||||
local common no Lokal
|
||||
login common no Login
|
||||
loginid common no LoginID
|
||||
@ -420,18 +347,15 @@ may common no Mai
|
||||
mayotte common no MAYOTTE
|
||||
medium common no Medium
|
||||
menu common no Meny
|
||||
merge table cells tinymce no Merge table cells
|
||||
message common no Melding
|
||||
mexico common no MEXICO
|
||||
micronesia, federated states of common no MIKRONESIA
|
||||
mkdir failed. tinymce no Mkdir feilet
|
||||
moldova, republic of common no MOLDOVA
|
||||
monaco common no MONACO
|
||||
monday common no Mandag
|
||||
mongolia common no MONGOLIA
|
||||
montserrat common no MONTSERRAT
|
||||
morocco common no MAROKKO
|
||||
move tinymce no Flytt
|
||||
mozambique common no MOSAMBIK
|
||||
myanmar common no MYANMAR
|
||||
name common no Navn
|
||||
@ -444,11 +368,6 @@ netherlands antilles common no NEDERLANDSKE ANTILLER
|
||||
never common no Aldri
|
||||
new caledonia common no NY KALEDONIA
|
||||
new entry added sucessfully common no Ny innslag ble lagt til
|
||||
new file name missing! tinymce no Nytt filnavn mangler!
|
||||
new file name: tinymce no Nytt filnavn:
|
||||
new folder tinymce no Ny mappe
|
||||
new folder name missing! tinymce no Nytt mappenavn mangler!
|
||||
new folder name: tinymce no Nytt mappenavn:
|
||||
new main category common no Ny hovedkategori
|
||||
new value common no Ny verdi
|
||||
new zealand common no NEW ZEALAND
|
||||
@ -462,14 +381,7 @@ nigeria common no NIGERIA
|
||||
niue common no NIUE
|
||||
no common no Nei
|
||||
no entries found, try again ... common no ingen treff prøv igjen ...
|
||||
no files... tinymce no ingen filer...
|
||||
no history for this record common no Ingen historie for denne posten
|
||||
no permission to create folder. tinymce no Ingen tillatelse til å opprette mapper
|
||||
no permission to delete file. tinymce no Ingen tillatelse til å slette filer
|
||||
no permission to move files and folders. tinymce no Ingen tillatelse til å flytte filer eller mapper
|
||||
no permission to rename files and folders. tinymce no Ingen tillatelse til å gi filer eller mapper nytt navn
|
||||
no permission to upload. tinymce no Ingen tillatelse til opplasting
|
||||
no shadow tinymce no Ingen skygge
|
||||
no subject common no Ingen Overskrift
|
||||
none common no Ingen
|
||||
norfolk island common no NORFOLK-ØYA
|
||||
@ -487,23 +399,13 @@ old value common no Gammel verdi
|
||||
oman common no OMAN
|
||||
on *nix systems please type: %1 common no På *nix systemer tast: %1
|
||||
on mouse over common no On Mouse Over
|
||||
only files with extensions are permited, e.g. "imagefile.jpg". tinymce no Bare filer med endelseer er lovlige, f.eks. "imagefile.jpg".
|
||||
only private common no kun private
|
||||
only yours common no kun dine
|
||||
open file in new window tinymce no Åpne filen i nytt vindu
|
||||
open in new window tinymce no Åpne i nytt vindu
|
||||
open in parent window / frame tinymce no Åpne i overordnet vindu/ramme
|
||||
open in the window tinymce no Åpne i vinduet
|
||||
open in this window / frame tinymce no Åpne i dette vinduet/rammen
|
||||
open in top frame (replaces all frames) tinymce no Åpne i toppramme (erstatter alle rammer)
|
||||
open link in a new window tinymce no Åpne i nytt vindu
|
||||
open link in the same window tinymce no Åpne i samme vindu
|
||||
open notify window common no Åpne varslingsvindu
|
||||
open popup window common no Åpne pop-up vindu
|
||||
ordered list common no Nummerliste
|
||||
original common no Orginal
|
||||
other common no Annet
|
||||
outdent tinymce no Undrag
|
||||
overview common no Oversikt
|
||||
owner common no Eier
|
||||
page common no Side
|
||||
@ -519,11 +421,6 @@ parent category common no Overordnet kategori
|
||||
password common no Passord
|
||||
password could not be changed common no Passord kunne ikke endres
|
||||
password has been updated common no Passord har blitt oppdatert
|
||||
paste as plain text tinymce no Lim inn som ren tekst
|
||||
paste from word tinymce no Lim inn fra Word
|
||||
paste table row after tinymce no Paste table row after
|
||||
paste table row before tinymce no Paste table row before
|
||||
path not found. tinymce no Sti ikke funnet.
|
||||
path to user and group files has to be outside of the webservers document-root!!! common no Sti til bruker- og gruppe-filer. MÅ VÆRE UTENFOR webserverens dokument-rot!!!
|
||||
permissions to the files/users directory common no tilgang til filmapper / brukermapper
|
||||
personal common no Personlig
|
||||
@ -533,23 +430,19 @@ phone number common no Telefonnummer
|
||||
pitcairn common no PITCAIRN
|
||||
please %1 by hand common no Vennligst %1 for hånd
|
||||
please enter a name common no Vennligst tast inn et navn !
|
||||
please insert a name for the target or choose another option. tinymce no Vennligst sett inn et navn for målet eller velg et annet valg.
|
||||
please run setup to become current common no Vennligst kjør setup for å oppdatere til siste versjon
|
||||
please select common no Velg
|
||||
please set your global preferences common no Sett dine globale preferanser
|
||||
please set your preferences for this application common no Sett dine preferanser for denne applikasjonen
|
||||
please wait... common no Vennligst vent...
|
||||
poland common no POLEN
|
||||
popup url tinymce no Popup nettstedsadresse
|
||||
portugal common no PORTUGAL
|
||||
position (x/y) tinymce no Posisjon (X/Y)
|
||||
postal common no Post
|
||||
powered by egroupware version %1 common no Drevet av <a href="http://www.egroupware.org">eGroupWare</a> versjon %1
|
||||
preferences common no Preferanser
|
||||
preferences for the idots template set common no Innstillinger for idots malen
|
||||
prev. month (hold for menu) jscalendar no Forrige måned (hold for meny)
|
||||
prev. year (hold for menu) jscalendar no Forrige år (hold for meny)
|
||||
preview tinymce no Forhåndsvis
|
||||
previous page common no Forrige side
|
||||
primary style-sheet: common no Primær style-sheet:
|
||||
print common no Skriv ut
|
||||
@ -561,25 +454,17 @@ puerto rico common no PUERTO RICO
|
||||
qatar common no QATAR
|
||||
read common no Les
|
||||
read this list of methods. common no Les metode-listen.
|
||||
redo tinymce no Gjør om
|
||||
refresh tinymce no Oppfrisk
|
||||
reject common no Avvis
|
||||
remove col tinymce no Fjern kolonne
|
||||
remove selected accounts common no fjern valgte konti
|
||||
rename common no Endre navn
|
||||
rename failed tinymce no Kunne ikke gi nytt navn
|
||||
replace common no Erstatt
|
||||
replace with common no Erstatt med
|
||||
replace all tinymce no Erstatt alle
|
||||
returns a full list of accounts on the system. warning: this is return can be quite large common no Returner en komplett liste av brukerkontoer på systemet. Advarsel: Denne listen kan bli svært lang
|
||||
returns an array of todo items common no Viser en tabell med gjøremål
|
||||
returns struct of users application access common no Viser en struktur over brukeres tilgang til applikasjonene
|
||||
reunion common no REUNION
|
||||
right common no Høyre
|
||||
rmdir failed. tinymce no Rmdir feilet
|
||||
romania common no ROMANIA
|
||||
rows tinymce no Rader
|
||||
run spell checking tinymce no Kjør stavekontroll
|
||||
russian federation common no RUSSISKE FØDERASJON
|
||||
rwanda common no RUANDA
|
||||
saint helena common no SAINT HELENA
|
||||
@ -599,7 +484,6 @@ search or select accounts common no S
|
||||
search or select multiple accounts common no SSøk eller velg flere konti
|
||||
section common no Avsnitt
|
||||
select common no Velg
|
||||
select all tinymce no Velg alt
|
||||
select all %1 %2 for %3 common no Velg alle %1 %2 for %3
|
||||
select category common no Velg kategori
|
||||
select date common no Velg dato
|
||||
@ -621,20 +505,14 @@ setup main menu common no Hovedoppsett meny
|
||||
seychelles common no SEYCHELLENE
|
||||
show all common no vis alle
|
||||
show all categorys common no Vis alle kategorier
|
||||
show locationbar tinymce no Vis lokasjonslinje
|
||||
show menu common no vis meny
|
||||
show menubar tinymce no Vis menylinje
|
||||
show page generation time common no Vis sidegenereringstid
|
||||
show page generation time on the bottom of the page? common no Vise sidegenereringstid på bunn av siden?
|
||||
show scrollbars tinymce no Vis skrollbar
|
||||
show statusbar tinymce no Vis statuslinje
|
||||
show toolbars tinymce no Vis verktøylinjene
|
||||
show_more_apps common no vis_flere_applikasjoner
|
||||
showing %1 common no viser %1
|
||||
showing %1 - %2 of %3 common no viser %1 - %2 of %3
|
||||
sierra leone common no SIERRA LEONE
|
||||
singapore common no SINGAPORE
|
||||
size tinymce no Str.
|
||||
slovakia common no SLOVAKIA
|
||||
slovenia common no SLOVENIA
|
||||
solomon islands common no SOLOMON ØYENE
|
||||
@ -643,13 +521,11 @@ sorry, your login has expired login no Beklager, din bruker har g
|
||||
south africa common no SØR_AFRIKA
|
||||
south georgia and the south sandwich islands common no SØR GEORGIA OG SØR SANDWICH ØYENE
|
||||
spain common no SPANIA
|
||||
split table cells tinymce no Split table cells
|
||||
sri lanka common no SRI LANKA
|
||||
start date common no Startdato
|
||||
start time common no Start tid
|
||||
start with common no Start med
|
||||
status common no Status
|
||||
striketrough tinymce no Gjennomstreket
|
||||
subject common no Emne
|
||||
submit common no Send
|
||||
substitutions and their meanings: common no Erstatninger og deres betydninger:
|
||||
@ -661,24 +537,18 @@ swaziland common no SWAZILAND
|
||||
sweden common no SVERIGE
|
||||
switzerland common no SVEITS
|
||||
syrian arab republic common no SYRIA
|
||||
table cell properties tinymce no Table cell properties
|
||||
table properties common no Table properties
|
||||
table row properties tinymce no Table row properties
|
||||
taiwan common no TAIWAN/TAIPEI
|
||||
tajikistan common no TADJIKISTAN
|
||||
tanzania, united republic of common no TANZANIA
|
||||
target tinymce no Vindu
|
||||
text color: common no Tekstfarge:
|
||||
thailand common no THAILAND
|
||||
the api is current common no API er oppdatert
|
||||
the api requires an upgrade common no API trenger oppgradering
|
||||
the following applications require upgrades common no De følgende applikasjonene trenger oppgradering
|
||||
the mail server returned common no Epost tjener returnerte
|
||||
the search has been compleated. the search string could not be found. tinymce no Søk ble fullført. Søkestrengen ga ingen resultater.
|
||||
this application is current common no Applikasjonen er oppdatert
|
||||
this application requires an upgrade common no Applikasjonen trenger oppgradering
|
||||
this is just a template button tinymce no Dette er bare en mal-knapp
|
||||
this is just a template popup tinymce no Dette er bare en mal-popup
|
||||
this name has been used already common no Dette navnet er allerede i bruk !
|
||||
thursday common no Torsdag
|
||||
time common no Tid
|
||||
@ -692,7 +562,6 @@ to go back to the msg list, click <a href= %1?sessionid=36fd5dd75a4d144ab9a930c3
|
||||
today common no Idag
|
||||
todays date, eg. "%1" common no Dagens dato, f.eks: "%1"
|
||||
toggle first day of week jscalendar no Velg føste ukedag
|
||||
toggle fullscreen mode tinymce no Veksle fullskjermsmodus
|
||||
togo common no TOGO
|
||||
tokelau common no TOKELAU
|
||||
tonga common no TONGA
|
||||
@ -709,27 +578,19 @@ tuvalu common no TUVALU
|
||||
uganda common no UGANDA
|
||||
ukraine common no UKRAINA
|
||||
underline common no Understreket
|
||||
undo tinymce no Angre
|
||||
united arab emirates common no FORENEDE ARABISKE EMIRATER
|
||||
united kingdom common no STORBRITANIA
|
||||
united states common no USA
|
||||
united states minor outlying islands common no USA-ØYER
|
||||
unknown common no Ukjent
|
||||
unlink tinymce no Fjern lenke
|
||||
unlink failed. tinymce no Kunne ikke fjerne lenke
|
||||
unordered list tinymce no Punktliste
|
||||
up tinymce no Opp
|
||||
update common no Opprett
|
||||
upload common no Last opp
|
||||
uploading... tinymce no Laster opp
|
||||
url common no URL
|
||||
uruguay common no URUGUAY
|
||||
use button to search for common no trykk for å søke etter
|
||||
use button to search for address common no trykk for å søke etter adresser
|
||||
use button to search for calendarevent common no trykk for å søke etter avtaler
|
||||
use button to search for project common no trykk for å søke etter prosjekter
|
||||
use ctrl and/or shift to select multiple items. tinymce no Use Ctrl og/eller Skift for å velge flere enheter.
|
||||
use ctrl+v on your keyboard to paste the text into the window. tinymce no Bruke Ctrl+V på tastaturet for å lime inn tekst i vinduet.
|
||||
user common no Bruker
|
||||
user accounts common no brukerkonto
|
||||
user groups common no brukergrupper
|
||||
@ -740,19 +601,16 @@ uzbekistan common no USBEKISTAN
|
||||
vanuatu common no VANUATU
|
||||
venezuela common no VENEZUELA
|
||||
version common no Versjon
|
||||
vertical alignment tinymce no Vertical alignment
|
||||
viet nam common no VIETNAM
|
||||
view common no Vis
|
||||
virgin islands, british common no JOMFRUØYENE (BR.)
|
||||
virgin islands, u.s. common no JOMFRUØYENE (USA)
|
||||
wallis and futuna common no WALLIS OG FUTUNA ØYENE
|
||||
warning!\n renaming or moving folders and files will break existing links in your documents. continue? tinymce no Advarsel!\n Ved nytt navn eller flytting av mapper vil dette ødelegge eksisterende lenker i dine dokumenter. Fortsette?
|
||||
wednesday common no Onsdag
|
||||
welcome common no Velkommen
|
||||
western sahara common no VEST-SAHARA
|
||||
which groups common no Hvilke grupper
|
||||
width common no Bredde
|
||||
window name tinymce no Navn på vindu
|
||||
wk jscalendar no wk
|
||||
work email common no arbeids-epost
|
||||
written by: common no Skrevet av:
|
||||
@ -768,7 +626,6 @@ you have not entered participants common no Du har ikke tastet inn deltagere
|
||||
you have selected an invalid date common no Du har valgt en ugyldig dato !
|
||||
you have selected an invalid main category common no Du har valgt en ugyldig hovedkategori !
|
||||
you have successfully logged out common no Du har logget ut
|
||||
you must enter the url tinymce no Du må registrere nettstedsadressen
|
||||
you need to add the webserver user '%1' to the group '%2'. common no Du må melde brukeren '%1' inn i '%2' gruppen på webtjener.
|
||||
your message could <b>not</b> be sent!<br> common no Meldingen kunne <b>ikke</b> sendes!<br>
|
||||
your message has been sent common no Din melding har blitt sent
|
||||
|
@ -595,155 +595,3 @@ your settings have been updated common pl Twoje ustawienia zosta
|
||||
yugoslavia common pl JUGOS£AWIA
|
||||
zambia common pl ZAMBIA
|
||||
zimbabwe common pl ZIMBABWE
|
||||
bold tinymce pl Pogrubienie
|
||||
italic tinymce pl Kursywa
|
||||
underline tinymce pl Podkreślenie
|
||||
striketrough tinymce pl Przekreślenie
|
||||
align left tinymce pl Otaczanie z lewej
|
||||
align center tinymce pl Wyśrodkowanie
|
||||
align right tinymce pl Otaczanie z prawej
|
||||
align full tinymce pl Justowanie
|
||||
unordered list tinymce pl Lista nie numerowana
|
||||
ordered list tinymce pl Lista numerowana
|
||||
outdent tinymce pl Zmniejsz wcięcie
|
||||
indent tinymce pl Zwiększ wcięcie
|
||||
undo tinymce pl Cofnij
|
||||
redo tinymce pl Ponów
|
||||
insert/edit link tinymce pl Wstaw/Edytuj link
|
||||
unlink tinymce pl Skasuj link
|
||||
insert/edit image tinymce pl Wstaw/Edytuj obrazek
|
||||
cleanup messy code tinymce pl Wyczyść niepotrzebny kod
|
||||
a editor instance must be focused before using this command. tinymce pl Musisz zaznaczyć cokolwiek przed użyciem tej komendy.
|
||||
do you want to use the wysiwyg mode for this textarea? tinymce pl Czy chcesz użyć edytora WYSIWIG dla tego pola ?
|
||||
insert/edit link tinymce pl Wstaw/Edytuj Link
|
||||
insert tinymce pl Wstaw
|
||||
update tinymce pl Zmień
|
||||
cancel tinymce pl Wyjdź
|
||||
link url tinymce pl Adres URL
|
||||
target tinymce pl Cel
|
||||
open link in the same window tinymce pl Otwórz w tym samym oknie
|
||||
open link in a new window tinymce pl Otwórz w nowym oknie
|
||||
insert/edit image tinymce pl Wstaw/Edytuj obrazek
|
||||
image url tinymce pl Adres URL obrazka
|
||||
image description tinymce pl Opis obrazka
|
||||
help tinymce pl Pomoc
|
||||
copy/cut/paste is not available in mozilla and firefox.\ndo you want more information about this issue? tinymce pl Kopiowanie/Wycinanie/Wklejanie nie jest obsługiwane w przeglądarkach Mozilla and Firefox.\nPotrzebujesz więcej informacji na ten temat?
|
||||
bold tinymce pl Pogrubienie
|
||||
italic tinymce pl Kursywa
|
||||
underline tinymce pl Podkreślenie
|
||||
striketrough tinymce pl Przekreślenie
|
||||
align left tinymce pl Otaczanie z lewej
|
||||
align center tinymce pl Wyśrodkowanie
|
||||
align right tinymce pl Otaczanie z prawej
|
||||
align full tinymce pl Justowanie
|
||||
unordered list tinymce pl Lista nie numerowana
|
||||
ordered list tinymce pl Lista numerowana
|
||||
outdent tinymce pl Zmniejsz wcięcie
|
||||
indent tinymce pl Zwiększ wcięcie
|
||||
undo tinymce pl Cofnij
|
||||
redo tinymce pl Ponów
|
||||
insert/edit link tinymce pl Wstaw/Edytuj link
|
||||
unlink tinymce pl Skasuj link
|
||||
insert/edit image tinymce pl Wstaw/Edytuj obrazek
|
||||
cleanup messy code tinymce pl Wyczyść niepotrzebny kod
|
||||
a editor instance must be focused before using this command. tinymce pl Musisz zaznaczyć cokolwiek przed użyciem tej komendy.
|
||||
do you want to use the wysiwyg mode for this textarea? tinymce pl Czy chcesz użyć edytora WYSIWIG dla tego pola ?
|
||||
insert/edit link tinymce pl Wstaw/Edytuj Link
|
||||
insert tinymce pl Wstaw
|
||||
update tinymce pl Zmień
|
||||
cancel tinymce pl Wyjdź
|
||||
link url tinymce pl Adres URL
|
||||
target tinymce pl Cel
|
||||
open link in the same window tinymce pl Otwórz w tym samym oknie
|
||||
open link in a new window tinymce pl Otwórz w nowym oknie
|
||||
insert/edit image tinymce pl Wstaw/Edytuj obrazek
|
||||
image url tinymce pl Adres URL obrazka
|
||||
image description tinymce pl Opis obrazka
|
||||
help tinymce pl Pomoc
|
||||
copy/cut/paste is not available in mozilla and firefox.\ndo you want more information about this issue? tinymce pl Kopiowanie/Wycinanie/Wklejanie nie jest obsługiwane w przeglądarkach Mozilla and Firefox.\nPotrzebujesz więcej informacji na ten temat?
|
||||
no shadow tinymce pl Brak cienia
|
||||
image title tinymce pl Tytuł obrazka
|
||||
for mouse over tinymce pl po najechaniu myszy
|
||||
for mouse out tinymce pl po odjechaniu myszy
|
||||
open in this window / frame tinymce pl Otwórz w tym samym oknie
|
||||
open in parent window / frame tinymce pl Open in parent window / frame
|
||||
open in top frame (replaces all frames) tinymce pl Open in top frame (replaces all frames)
|
||||
open in new window tinymce pl Otwórz w nowym oknie
|
||||
open in the window tinymce pl Open in the window
|
||||
js-popup tinymce pl JS-Popup
|
||||
popup url tinymce pl Popup URL
|
||||
window name tinymce pl Window name
|
||||
show scrollbars tinymce pl Show scrollbars
|
||||
show statusbar tinymce pl Show statusbar
|
||||
show toolbars tinymce pl Show toolbars
|
||||
show menubar tinymce pl Show menubar
|
||||
show locationbar tinymce pl Show locationbar
|
||||
make window resizable tinymce pl Make window resizable
|
||||
size tinymce pl Size
|
||||
position (x/y) tinymce pl Position (X/Y)
|
||||
please insert a name for the target or choose another option. tinymce pl Please insert a name for the target or choose another option.
|
||||
insert emotion tinymce pl Wstaw emtoiconę
|
||||
emotions tinymce pl Emtoicony
|
||||
flash-file (.swf) tinymce pl Plik Flash (.swf)
|
||||
size tinymce pl Rozmiar
|
||||
flash files tinymce pl Pliki Flash
|
||||
flash properties tinymce pl Właściwości animacji Flash
|
||||
run spell checking tinymce pl Uruchom sprawdzanie pisowni
|
||||
insert date tinymce pl Wstaw aktualną datę
|
||||
insert time tinymce pl Wstaw aktualny czas
|
||||
preview tinymce pl Podgląd
|
||||
print tinymce pl Drukuj
|
||||
save tinymce pl Zachowaj
|
||||
find tinymce pl Znajdź
|
||||
find again tinymce pl Znajdź ponownie
|
||||
find/replace tinymce pl Znajdź/Zastąp
|
||||
the search has been compleated. the search string could not be found. tinymce pl Ukończono wyszukiwanie. Poszukiwana fraza nie została odnaleziona.
|
||||
find tinymce pl Znajdź
|
||||
find/replace tinymce pl Znajdź/Zastąp
|
||||
all occurrences of the search string was replaced. tinymce pl Wszystkie wystąpienia poszukiwanej frazy zostały zastąpione.
|
||||
find what tinymce pl Znajdź
|
||||
replace with tinymce pl Zastąp
|
||||
direction tinymce pl Kierunek
|
||||
up tinymce pl Do góry
|
||||
down tinymce pl Do dołu
|
||||
match case tinymce pl Wielkość liter
|
||||
find next tinymce pl Znajdź następny
|
||||
replace tinymce pl Zastąp
|
||||
replace all tinymce pl Zastąp wszystkie
|
||||
cancel tinymce pl Wyjdź
|
||||
inserts a new table tinymce pl Wstaw nowa tabele
|
||||
insert row before tinymce pl Wstaw wiersz przed
|
||||
insert row after tinymce pl Wstaw wiersz po
|
||||
delete row tinymce pl Skasuj wiersz
|
||||
insert column before tinymce pl Wstaw kolumne przed
|
||||
insert column after tinymce pl Wstaw kolumne po
|
||||
remove col tinymce pl Skasuj kolumne
|
||||
insert/modify table tinymce pl Wstaw/Modyfikuj tabele
|
||||
width tinymce pl Szerokosc
|
||||
height tinymce pl Wysokosc
|
||||
columns tinymce pl Kolumny
|
||||
rows tinymce pl Wiersze
|
||||
cellspacing tinymce pl Cellspacing
|
||||
cellpadding tinymce pl Cellpadding
|
||||
border tinymce pl Ramka
|
||||
alignment tinymce pl Wyrównanie
|
||||
default tinymce pl Domyslny
|
||||
left tinymce pl Do lewej
|
||||
right tinymce pl Do prawej
|
||||
center tinymce pl Wycentrowanie
|
||||
class tinymce pl Klasa
|
||||
table row properties tinymce pl Wlasciwosci wiersza
|
||||
table cell properties tinymce pl Wlasciwosci komórki
|
||||
table row properties tinymce pl Wlasciwosci wiersza
|
||||
table cell properties tinymce pl Wlasciwosci komórki
|
||||
vertical alignment tinymce pl Wyrównanie pionowe
|
||||
top tinymce pl do góry
|
||||
bottom tinymce pl do dolu
|
||||
table properties tinymce pl Wlasciwosci tabeli
|
||||
merge table cells tinymce pl Merge table cells
|
||||
split table cells tinymce pl Split table cells
|
||||
merge table cells tinymce pl Merge table cells
|
||||
cut table row tinymce pl Cut table row
|
||||
copy table row tinymce pl Copy table row
|
||||
paste table row before tinymce pl Paste table row before
|
||||
paste table row after tinymce pl Paste table row after
|
||||
|
@ -20,7 +20,6 @@
|
||||
3 number of chars for day-shortcut jscalendar pt-br 3 números para atalho-dia
|
||||
3 number of chars for month-shortcut jscalendar pt-br 3 números para atalho-mês
|
||||
80 (http) admin pt-br 80 (http)
|
||||
a editor instance must be focused before using this command. tinymce pt-br Uma instância do editor deve estar com o foco antes deste comando ser usado.
|
||||
about common pt-br Sobre
|
||||
about %1 common pt-br Sobre %1
|
||||
about egroupware common pt-br Sobre eGroupWare
|
||||
@ -46,17 +45,10 @@ administration common pt-br Administra
|
||||
afghanistan common pt-br AFEGANISTÃO
|
||||
albania common pt-br ALBANIA
|
||||
algeria common pt-br ALGERIA
|
||||
align center tinymce pt-br Centralizar
|
||||
align full tinymce pt-br Alinhar tudo
|
||||
align left tinymce pt-br Alinhar à esquerda
|
||||
align right tinymce pt-br Alinhar à direita
|
||||
alignment tinymce pt-br Alinhamento
|
||||
all common pt-br Todos
|
||||
all fields common pt-br todos os campos
|
||||
all occurrences of the search string was replaced. tinymce pt-br Todas as ocorrências da pesquisa foram substituídas.
|
||||
alphabet common pt-br a,b,c,d,e,f,g,h,i,j,k,l,m,n,o,p,q,r,s,t,u,v,w,x,y,z
|
||||
alternate style-sheet: common pt-br Estilo de folha alternativo
|
||||
alternative image tinymce pt-br Imagem alternativa
|
||||
american samoa common pt-br SAMOA AMERICANA
|
||||
andorra common pt-br ANDORRA
|
||||
angola common pt-br ANGOLA
|
||||
@ -97,14 +89,12 @@ belgium common pt-br B
|
||||
belize common pt-br BELIZE
|
||||
benin common pt-br BENIN
|
||||
bermuda common pt-br BERMUDA
|
||||
bg color tinymce pt-br Cor de fundo
|
||||
bhutan common pt-br BUTÃO
|
||||
blocked, too many attempts common pt-br Bloqueado, por excesso de tentativas!
|
||||
bold common pt-br Negrito
|
||||
bold.gif common pt-br bold.gif
|
||||
bolivia common pt-br BOLÍVIA
|
||||
border common pt-br Borda
|
||||
border color tinymce pt-br Cor da borda
|
||||
bosnia and herzegovina common pt-br BOSNIA E HERZEGOVINA
|
||||
botswana common pt-br BOTSWANA
|
||||
bottom common pt-br Fundo
|
||||
@ -131,9 +121,6 @@ category %1 has been added ! common pt-br Categoria %1 foi adicionada !
|
||||
category %1 has been updated ! common pt-br Categoria %1 foi atualizada !
|
||||
cayman islands common pt-br ILHAS CAYMAN
|
||||
cc common pt-br Com Cópia
|
||||
cellpadding tinymce pt-br Preenchimento da Célula
|
||||
cellspacing tinymce pt-br Espaçamento
|
||||
center tinymce pt-br Centro
|
||||
centered common pt-br Centralizado
|
||||
central african republic common pt-br REPÚBLICA CENTRO AFRICANA
|
||||
chad common pt-br CHADE
|
||||
@ -148,12 +135,9 @@ choose a background color for the icons common pt-br Escolha uma cor de fundo pa
|
||||
choose a background image. common pt-br Escolha uma imagem de fundo
|
||||
choose a background style. common pt-br Escolha um estilo de fundo
|
||||
choose a text color for the icons common pt-br Escolha uma cor de texto para os ícones
|
||||
choose directory to move selected folders and files to. tinymce pt-br Escolha o diretório para mover a pasta e arquivos selecionados.
|
||||
choose the category common pt-br Escolha a categoria
|
||||
choose the parent category common pt-br Escolha a categoria pai
|
||||
christmas island common pt-br CHRISTMAS ISLAND
|
||||
class tinymce pt-br Classe
|
||||
cleanup messy code tinymce pt-br Arrumar código
|
||||
clear common pt-br Limpar
|
||||
clear form common pt-br Limpar Formulário
|
||||
click common pt-br Clique
|
||||
@ -164,21 +148,15 @@ close common pt-br Fechar
|
||||
close sidebox common pt-br Fechar caixa lateral
|
||||
cocos (keeling) islands common pt-br COCOS (KEELING) ISLANDS
|
||||
colombia common pt-br COLÔMBIA
|
||||
columns tinymce pt-br Colunas
|
||||
comment tinymce pt-br Comentário
|
||||
common preferences common pt-br Preferências comuns
|
||||
comoros common pt-br COMOROS
|
||||
company common pt-br Empresa
|
||||
configuration problem tinymce pt-br Problema de configuração
|
||||
congo common pt-br CONGO
|
||||
congo, the democratic republic of the common pt-br REPÚBLICA DEMOCRÁTICA DO CONGO
|
||||
contacting server... common pt-br Contactando servidor...
|
||||
cook islands common pt-br ILHAS COOK
|
||||
copy common pt-br Copiar
|
||||
copy selection common pt-br Copiar seleção
|
||||
copy table row tinymce pt-br Copiar linha da tabela
|
||||
copy/cut/paste is not available in mozilla and firefox.\ndo you want more information about this issue? tinymce pt-br Copiar/Recortar/Colar não está disponível no Mozilla e Firefox.\nVocê quer mais informações a respeito?
|
||||
copy/cut/paste is not available in mozilla and firefox.ndo you want more information about this issue? tinymce pt-br Copiar/Recortar/Colar não está disponível no Mozilla e Firefox.\nVocê quer mais informações a respeito?
|
||||
costa rica common pt-br COSTA RICA
|
||||
cote d ivoire common pt-br COTE D IVOIRE
|
||||
could not contact server. operation timed out! common pt-br Tentativa de contactar servidor falhou. Tempo limite de operação estourou.
|
||||
@ -191,17 +169,14 @@ current common pt-br Atualizado
|
||||
current style common pt-br Estilo atual
|
||||
current users common pt-br Usuários ativos
|
||||
cut selection common pt-br Recortar seleção
|
||||
cut table row tinymce pt-br Recortar linha da tabela
|
||||
cyprus common pt-br CHIPRE
|
||||
czech republic common pt-br REPÚBLICA CHECA
|
||||
date common pt-br Data
|
||||
date due common pt-br Até data
|
||||
date modified tinymce pt-br Data modificada
|
||||
date selection: jscalendar pt-br Seleção da data:
|
||||
datetime port.<br>if using port 13, please set firewall rules appropriately before submitting this page.<br>(port: 13 / host: 129.6.15.28) admin pt-br Porta da Data e hora.<br>Quando usar a porta 13, por favor configure os filtros do firewall antes de submeter as alterações.<br>(Porta: 13 / Host: 129.6.15.28)
|
||||
december common pt-br Dezembro
|
||||
decrease indent common pt-br Diminuir recuo
|
||||
default tinymce pt-br Padrão
|
||||
default category common pt-br Categoria padrão
|
||||
default height for the windows common pt-br Altura padrão para as janelas
|
||||
default width for the windows common pt-br Largura padrão para as janelas
|
||||
@ -212,10 +187,7 @@ description common pt-br Descri
|
||||
detail common pt-br Detalhe
|
||||
details common pt-br Detalhes
|
||||
diable the execution a bugfixscript for internet explorer 5.5 and higher to show transparency in png-images? common pt-br Desativar a execução dos recursos de exibição de transparências de imagens PNG, para o Explorer 5.5 ou superior?
|
||||
direction tinymce pt-br Direção
|
||||
direction left to right common pt-br Direção: esquerda para direita
|
||||
direction right to left tinymce pt-br Direção: direita para esquerda
|
||||
directory tinymce pt-br Diretório
|
||||
disable internet explorer png-image-bugfix common pt-br Desativar recursos para imagem-png no Internet Explorer
|
||||
disable slider effects common pt-br Desativar efeitos de transição de slide
|
||||
disable the animated slider effects when showing or hiding menus in the page? opera and konqueror users will probably must want this. common pt-br Desativar os efeitos de animação ao ocultar os menús da página? Os usuários dos navegadores Ópera ou Konqueror serão beneficiados com esta configuração.
|
||||
@ -224,7 +196,6 @@ disabled common pt-br Desabilitado
|
||||
display %s first jscalendar pt-br Exibir %s primeiros
|
||||
djibouti common pt-br DJIBOUTI
|
||||
do you also want to delete all subcategories ? common pt-br Deseja remover também todas subcategorias ?
|
||||
do you want to use the wysiwyg mode for this textarea? tinymce pt-br Você deseja usar o modo WYSIMWG para este campo?
|
||||
doctype: common pt-br TIPO DOCUMENTO:
|
||||
document properties common pt-br Propriedades do documento
|
||||
document title: common pt-br Título do documento
|
||||
@ -234,7 +205,6 @@ domestic common pt-br Dom
|
||||
dominica common pt-br DOMINICA
|
||||
dominican republic common pt-br REPÚBLICA DOMINICANA
|
||||
done common pt-br Pronto
|
||||
down tinymce pt-br Abaixo
|
||||
drag to move jscalendar pt-br Arraste para mover
|
||||
e-mail common pt-br E-mail
|
||||
east timor common pt-br TIMOR LESTE
|
||||
@ -249,7 +219,6 @@ egypt common pt-br EGITO
|
||||
el salvador common pt-br EL SALVADOR
|
||||
email common pt-br E-mail
|
||||
email-address of the user, eg. "%1" common pt-br Endereço de e-mail do usuário, ex. "%1"
|
||||
emotions tinymce pt-br Emoções
|
||||
en common pt-br en
|
||||
enabled common pt-br Habilitado
|
||||
end date common pt-br Data do término
|
||||
@ -274,40 +243,16 @@ fax number common pt-br N
|
||||
february common pt-br Fevereiro
|
||||
fields common pt-br Campos
|
||||
fiji common pt-br FIJI
|
||||
file already exists. file was not uploaded. tinymce pt-br O arquivo não carregado pois ele já existe.
|
||||
file exceeds the size limit tinymce pt-br O arquivo excede o tamanho limite
|
||||
file manager tinymce pt-br Gerenciador de arquivos
|
||||
file not found. tinymce pt-br Arquivo não encontrado.
|
||||
file was not uploaded. tinymce pt-br O arquivo não foi carregado.
|
||||
file with specified new name already exists. file was not renamed/moved. tinymce pt-br Um arquivo com o novo nome especificado já existe. O arquivo não foi renomeado/movido.
|
||||
file(s) tinymce pt-br Arquivo(s)
|
||||
file: tinymce pt-br Arquivo:
|
||||
files common pt-br Arquivos
|
||||
files with this extension are not allowed. tinymce pt-br Arquivos com esta extensão não são permitidos.
|
||||
filter common pt-br Filtro
|
||||
find tinymce pt-br Procurar
|
||||
find again tinymce pt-br Procurar novamente
|
||||
find what tinymce pt-br Procurar o quê ?
|
||||
find next tinymce pt-br Procurar próximo
|
||||
find/replace tinymce pt-br Procurar/Substituir
|
||||
finland common pt-br FINLÂNDIA
|
||||
first name common pt-br Primeiro Nome
|
||||
first name of the user, eg. "%1" common pt-br Primeiro nome do usuário, ex. "%1"
|
||||
first page common pt-br Página Inicial
|
||||
firstname common pt-br Primeiro Nome
|
||||
fixme! common pt-br ATUALIZE-ME!
|
||||
flash files tinymce pt-br Arquivos Flash
|
||||
flash properties tinymce pt-br Propriedades Flash
|
||||
flash-file (.swf) tinymce pt-br Arquivo Flash (.swf)
|
||||
folder tinymce pt-br Pasta
|
||||
folder already exists. common pt-br Pasta já existe.
|
||||
folder name missing. tinymce pt-br Nome da pasta faltando.
|
||||
folder not found. tinymce pt-br Pasta não encontrada.
|
||||
folder with specified new name already exists. folder was not renamed/moved. tinymce pt-br Uma pasta com o novo nome informado já existe. A pasta não foi renomeada/movida.
|
||||
folder(s) tinymce pt-br pasta(s)
|
||||
font color common pt-br Cor da Fonte
|
||||
for mouse out tinymce pt-br para mouse fora
|
||||
for mouse over tinymce pt-br para mouse por cima
|
||||
force selectbox common pt-br Forçar caixa de seleção
|
||||
forever common pt-br Para sempre
|
||||
france common pt-br FRANÇA
|
||||
@ -369,34 +314,19 @@ iceland common pt-br ISL
|
||||
iespell not detected. click ok to go to download page. common pt-br ieSpell não detectado. Clique Ok para ir para a página de download.
|
||||
if the clock is enabled would you like it to update it every second or every minute? common pt-br Se o relógio estiver habilitado, você gostaria de atualizá-lo a cada segundo ou minuto ?
|
||||
if there are some images in the background folder you can choose the one you would like to see. common pt-br Se existirem algumas imagens na pasta de fundo, você poderá escolher uma que gostaria de ver.
|
||||
image description tinymce pt-br Descrição da imagem
|
||||
image title tinymce pt-br Título da imagem
|
||||
image url common pt-br URL da imagem
|
||||
increase indent common pt-br Aumentar recuo
|
||||
indent tinymce pt-br Recúo para dentro
|
||||
india common pt-br INDIA
|
||||
indonesia common pt-br INDONESIA
|
||||
insert tinymce pt-br Inserir
|
||||
insert 'return false' common pt-br Inserir "retorno falso"
|
||||
insert / edit flash movie tinymce pt-br Inserir/Editar filme Flash
|
||||
insert / edit horizontale rule tinymce pt-br Inserir/Editar barra horizontal
|
||||
insert all %1 addresses of the %2 contacts in %3 common pt-br Inserir todos %1 endereços para %2 contatos em %3
|
||||
insert column after common pt-br Inserir coluna depois
|
||||
insert column before common pt-br Inserir coluna antes
|
||||
insert date tinymce pt-br Inserir data
|
||||
insert emotion tinymce pt-br Inserir emoção
|
||||
insert file tinymce pt-br Inserir arquivo
|
||||
insert image common pt-br Inserir imagem
|
||||
insert link to file tinymce pt-br Inserir link para arquivo
|
||||
insert row after common pt-br Inserir linha depois
|
||||
insert row before common pt-br Inserir linha antes
|
||||
insert table common pt-br Inserir tabela
|
||||
insert time tinymce pt-br Inserir horário
|
||||
insert web link common pt-br Inserir link para web
|
||||
insert/edit image tinymce pt-br Inserir/Editar imagem
|
||||
insert/edit link tinymce pt-br Inserir/Editar link
|
||||
insert/modify table tinymce pt-br Inserir/Modificar tabela
|
||||
inserts a new table tinymce pt-br Insere uma nova tabela
|
||||
international common pt-br Internacional
|
||||
invalid filename common pt-br Nome de arquivo inválido
|
||||
invalid ip address common pt-br Endereço IP inválido
|
||||
@ -414,7 +344,6 @@ jamaica common pt-br JAMAICA
|
||||
january common pt-br Janeiro
|
||||
japan common pt-br JAPÃO
|
||||
jordan common pt-br JORDÂNIA
|
||||
js-popup tinymce pt-br JS-Popup
|
||||
july common pt-br Julho
|
||||
jun common pt-br Jun
|
||||
june common pt-br Junho
|
||||
@ -423,7 +352,6 @@ justify full common pt-br Justificar
|
||||
justify left common pt-br Alinhar a esquerda
|
||||
justify right common pt-br Alinha à direita
|
||||
kazakstan common pt-br KAZAQUISTÃO
|
||||
keep linebreaks tinymce pt-br Manter quebra de linhas
|
||||
kenya common pt-br QUÊNIA
|
||||
keywords common pt-br Palavras
|
||||
kiribati common pt-br KIRIBATI
|
||||
@ -448,11 +376,9 @@ libyan arab jamahiriya common pt-br L
|
||||
license common pt-br Licensa
|
||||
liechtenstein common pt-br LIECHTENSTEIN
|
||||
line %1: '%2'<br><b>csv data does not match column-count of table %3 ==> ignored</b> common pt-br Linha %1: '%2'<br><b>dados csv não combinam com a quantidade de coluna da tabela %3 ==> ignorada</b>
|
||||
link url tinymce pt-br URL link
|
||||
list common pt-br Lista
|
||||
list members common pt-br Listar membros
|
||||
lithuania common pt-br LITUÂNIA
|
||||
loading files tinymce pt-br Carregando arquivos
|
||||
local common pt-br Local
|
||||
login common pt-br Conectar
|
||||
loginid common pt-br ID Login
|
||||
@ -467,7 +393,6 @@ mail domain, eg. "%1" common pt-br Dom
|
||||
main category common pt-br Cetegoria principal
|
||||
main screen common pt-br Tela principal
|
||||
maintainer common pt-br Administrador
|
||||
make window resizable tinymce pt-br Fazer tamanho de janela ajustável
|
||||
malawi common pt-br MALAWI
|
||||
malaysia common pt-br MALÁSIA
|
||||
maldives common pt-br MALDIVAS
|
||||
@ -476,7 +401,6 @@ malta common pt-br MALTA
|
||||
march common pt-br Março
|
||||
marshall islands common pt-br ILHAS MARSHALL
|
||||
martinique common pt-br MARTINICA
|
||||
match case tinymce pt-br Combinar tamanho da letra
|
||||
mauritania common pt-br MAURITANIA
|
||||
mauritius common pt-br MAURITIUS
|
||||
max number of icons in navbar common pt-br Número máximo de íciones na barra de navegação
|
||||
@ -484,19 +408,16 @@ may common pt-br Maio
|
||||
mayotte common pt-br MAYOTTE
|
||||
medium common pt-br Média
|
||||
menu common pt-br Menú
|
||||
merge table cells tinymce pt-br Unir células da tabela
|
||||
message common pt-br Mensagem
|
||||
mexico common pt-br MÉXICO
|
||||
micronesia, federated states of common pt-br MICRONESIA
|
||||
minute common pt-br minuto
|
||||
mkdir failed. tinymce pt-br Mkdir falhou.
|
||||
moldova, republic of common pt-br MOLDÁVIA
|
||||
monaco common pt-br MÔNACO
|
||||
monday common pt-br Segunda
|
||||
mongolia common pt-br MONGÓLIA
|
||||
montserrat common pt-br MONTSERRAT
|
||||
morocco common pt-br MARROCOS
|
||||
move tinymce pt-br Mover
|
||||
mozambique common pt-br MOÇAMBIQUE
|
||||
multiple common pt-br múltiplo
|
||||
myanmar common pt-br MYANMAR
|
||||
@ -510,11 +431,6 @@ netherlands antilles common pt-br ANTILHAS HOLANDESAS
|
||||
never common pt-br Nunca
|
||||
new caledonia common pt-br NOVA CALEDONIA
|
||||
new entry added sucessfully common pt-br Entrada adicionada com sucesso
|
||||
new file name missing! tinymce pt-br Novo nome do arquivo faltando!
|
||||
new file name: tinymce pt-br Novo nome do arquivo:
|
||||
new folder tinymce pt-br Nova pasta
|
||||
new folder name missing! tinymce pt-br Novo nome da pasta faltando!
|
||||
new folder name: tinymce pt-br Novo nome da pasta:
|
||||
new main category common pt-br Nova categoria principal
|
||||
new value common pt-br Novo Valor
|
||||
new zealand common pt-br NOVA ZELÂNDIA
|
||||
@ -528,15 +444,8 @@ nigeria common pt-br NIGERIA
|
||||
niue common pt-br NIUE
|
||||
no common pt-br Não
|
||||
no entries found, try again ... common pt-br Nenhum registro encontrado, tente novamente...
|
||||
no files... tinymce pt-br Nenhum arquivo...
|
||||
no history for this record common pt-br Nenhum histórico para este registro
|
||||
no permission to create folder. tinymce pt-br Sem permissão para criar pasta.
|
||||
no permission to delete file. tinymce pt-br Sem permissão para remover arquivo.
|
||||
no permission to move files and folders. tinymce pt-br Sem permissão para mover arquivos e pastas.
|
||||
no permission to rename files and folders. tinymce pt-br Sem permissão para renomear arquivos e pastas.
|
||||
no permission to upload. tinymce pt-br Sem permissão para carregar arquivo.
|
||||
no savant2 template directories were found in: common pt-br Nenhum diretório de modelo Savant2 encontrado em:
|
||||
no shadow tinymce pt-br Sem sombra
|
||||
no subject common pt-br Sem assunto
|
||||
none common pt-br Nenhum
|
||||
norfolk island common pt-br ILHAS NORFOLK
|
||||
@ -557,25 +466,15 @@ old value common pt-br Valor antigo
|
||||
oman common pt-br OMÃ
|
||||
on *nix systems please type: %1 common pt-br Sobre sistemas *nix tipo: %1
|
||||
on mouse over common pt-br Passar o mouse
|
||||
only files with extensions are permited, e.g. "imagefile.jpg". tinymce pt-br Somente arquivos com extensões são permitidos, por exemplo: "imagem.jpg"
|
||||
only private common pt-br Apenas particular
|
||||
only yours common pt-br somente as suas
|
||||
oops! you caught us in the middle of system maintainance. common pt-br Oops! Você nos pegou no meio de uma manutenção de sistema.
|
||||
open file in new window tinymce pt-br Abrir arquivo em uma nova janela
|
||||
open in new window tinymce pt-br Abrir em uma nova janela
|
||||
open in parent window / frame tinymce pt-br Abrir na janela / frame pai
|
||||
open in the window tinymce pt-br Abrir na janela
|
||||
open in this window / frame tinymce pt-br Abrir nesta janela / frame
|
||||
open in top frame (replaces all frames) tinymce pt-br Abrir no frame superior (substitui dos os frames)
|
||||
open link in a new window tinymce pt-br Abrir link em uma nova janela
|
||||
open link in the same window tinymce pt-br Abrir link na mesma janela
|
||||
open notify window common pt-br Abrir janela de notificação
|
||||
open popup window common pt-br Abrir janela
|
||||
open sidebox common pt-br Abrir caixa lateral
|
||||
ordered list common pt-br Lista Classificada
|
||||
original common pt-br Original
|
||||
other common pt-br Outro
|
||||
outdent tinymce pt-br Recúo para fora
|
||||
overview common pt-br Visão geral
|
||||
owner common pt-br Dono
|
||||
page common pt-br Página
|
||||
@ -596,13 +495,8 @@ password must contain at least %1 numbers common pt-br Senha deve ter ao menos %
|
||||
password must contain at least %1 special characters common pt-br Senha deve ter ao menos %1 caractere(s) especial(is)
|
||||
password must contain at least %1 uppercase letters common pt-br Senha deve ter ao menos %1 caractere(s) maiúsculo(s)
|
||||
password must have at least %1 characters common pt-br Senha deve ter ao menos %1 caractere(s)
|
||||
paste as plain text tinymce pt-br Colar como texto plano
|
||||
paste from clipboard common pt-br Colar da área de transferência
|
||||
paste from word tinymce pt-br Colar do Word
|
||||
paste table row after tinymce pt-br Colar linha de tabela depois
|
||||
paste table row before tinymce pt-br Colar linha de tabela antes
|
||||
path common pt-br Caminho
|
||||
path not found. tinymce pt-br Caminho não encontrado
|
||||
path to user and group files has to be outside of the webservers document-root!!! common pt-br O caminho para usuários e grupos deve ser FORA do servidor da extranet.!!!
|
||||
pattern for search in addressbook common pt-br Padrão para pesquisa em Contatos
|
||||
pattern for search in calendar common pt-br Padrão para pesquisa na Agenda
|
||||
@ -616,8 +510,6 @@ phpgwapi common pt-br API eGroupWare
|
||||
pitcairn common pt-br PITCAIRN
|
||||
please %1 by hand common pt-br %1 pela mão
|
||||
please enter a name common pt-br Por favor, digite um nome !
|
||||
please enter the caption text tinymce pt-br Por favor, digite o texto para dica
|
||||
please insert a name for the target or choose another option. tinymce pt-br Por favor, digite o nome para o alvo ou escolha outra opção.
|
||||
please run setup to become current common pt-br Por favor execute a configuração para atualizar o sistema
|
||||
please select common pt-br Por favor selecione
|
||||
please set your global preferences common pt-br Por favor configure suas preferências gerais
|
||||
@ -625,9 +517,7 @@ please set your preferences for this application common pt-br Configure suas pre
|
||||
please wait... common pt-br Aguarde...
|
||||
please, check back with us shortly. common pt-br Por favor, volte a nos contactar mais tarde.
|
||||
poland common pt-br POLÔNIA
|
||||
popup url tinymce pt-br URL Popup
|
||||
portugal common pt-br PORTUGAL
|
||||
position (x/y) tinymce pt-br Posição (X/Y)
|
||||
postal common pt-br CEP
|
||||
powered by common pt-br Desenvolvido por
|
||||
powered by egroupware version %1 common pt-br Atualizado pela <a href="http://www.egroupware.com.br" target="_blank">eGW-BR</a> sobre a plataforma eGW versão %1
|
||||
@ -636,7 +526,6 @@ preferences common pt-br Prefer
|
||||
preferences for the idots template set common pt-br Preferências para o modelo de layout Idots
|
||||
prev. month (hold for menu) jscalendar pt-br Mês anterior
|
||||
prev. year (hold for menu) jscalendar pt-br Ano anterior
|
||||
preview tinymce pt-br Visualizar
|
||||
previous page common pt-br Página anterior
|
||||
primary style-sheet: common pt-br Estilho de folha primário:
|
||||
print common pt-br Imprimir
|
||||
@ -650,29 +539,21 @@ qatar common pt-br QATAR
|
||||
read common pt-br Leitura
|
||||
read this list of methods. common pt-br Leia a lista de métodos.
|
||||
reading common pt-br Lendo
|
||||
redo tinymce pt-br Refazer
|
||||
redoes your last action common pt-br Repetir sua última ação
|
||||
refresh tinymce pt-br Atualizar
|
||||
register common pt-br Registrar
|
||||
reject common pt-br Rejeitar
|
||||
remember me common pt-br Lembre-se de mim
|
||||
remove col tinymce pt-br Remover coluna
|
||||
remove selected accounts common pt-br apagar contas selecionadas
|
||||
remove shortcut common pt-br Remover tecla de atalho
|
||||
rename common pt-br Renomear
|
||||
rename failed tinymce pt-br Renomear campo
|
||||
replace common pt-br Substituir
|
||||
replace with common pt-br Substituir por
|
||||
replace all tinymce pt-br Substituir tudo
|
||||
returns a full list of accounts on the system. warning: this is return can be quite large common pt-br Retorna a lista complesta de usuários no sistema. Atenção: Isto pode causar lentidão dependendo da quantidade de registros.
|
||||
returns an array of todo items common pt-br Retorna uma lista dos itens de Tarefas
|
||||
returns struct of users application access common pt-br Retorna a estrutura de usuários e aplicativos para acesso
|
||||
reunion common pt-br REUNION
|
||||
right common pt-br Direita
|
||||
rmdir failed. tinymce pt-br Rmdir falhou.
|
||||
romania common pt-br ROMÊNIA
|
||||
rows tinymce pt-br Linhas
|
||||
run spell checking tinymce pt-br Rodar verificador ortográfico
|
||||
russian federation common pt-br RÚSSIA
|
||||
rwanda common pt-br RUANDA
|
||||
saint helena common pt-br SANTA HELENA
|
||||
@ -694,7 +575,6 @@ search or select multiple accounts common pt-br pesquisar or selecionar m
|
||||
second common pt-br segundo
|
||||
section common pt-br Seção
|
||||
select common pt-br Selecionar
|
||||
select all tinymce pt-br Selecionar tudo
|
||||
select all %1 %2 for %3 common pt-br Selecionar todos %1 %2 para %3
|
||||
select category common pt-br Selecionar categoria
|
||||
select date common pt-br Selecionar data
|
||||
@ -724,23 +604,17 @@ show as topmenu common pt-br Exibir como menu superior
|
||||
show clock? common pt-br Exibir relógio
|
||||
show home and logout button in main application bar? common pt-br Exibir Página Inicial e Desconectar na barra de aplicativos principais?
|
||||
show in sidebox common pt-br Exibir como menu lateral
|
||||
show locationbar tinymce pt-br Exibir local da barra
|
||||
show logo's on the desktop. common pt-br Exibir logotipo na tela.
|
||||
show menu common pt-br Mostrar menu
|
||||
show menubar tinymce pt-br Exibir barra de menus
|
||||
show page generation time common pt-br Mostrar tempo de criação da página
|
||||
show page generation time on the bottom of the page? common pt-br O tempo de criação da página deve ser mostrado no rodapé?
|
||||
show page generation time? common pt-br Exibir tempo de geração da página?
|
||||
show scrollbars tinymce pt-br Exibir barras laterais
|
||||
show statusbar tinymce pt-br Exibir barra de status
|
||||
show the logo's of egroupware and x-desktop on the desktop. common pt-br Exibir o logotipo do eGroupWare and X-Desktop na tela.
|
||||
show toolbars tinymce pt-br Exibir barra de ferramentas
|
||||
show_more_apps common pt-br Mostrar mais aplicativos
|
||||
showing %1 common pt-br Exibindo %1
|
||||
showing %1 - %2 of %3 common pt-br Exibindo %1 - %2 de %3
|
||||
sierra leone common pt-br SERRA LEOA
|
||||
singapore common pt-br SINGAPURA
|
||||
size tinymce pt-br Tamanho
|
||||
slovakia common pt-br ESLOVÁQUIA
|
||||
slovenia common pt-br ESLOVÊNIA
|
||||
solomon islands common pt-br ILHAS SOLOMON
|
||||
@ -749,7 +623,6 @@ sorry, your login has expired login pt-br Desculpe, sua conta expirou
|
||||
south africa common pt-br ÁFRICA DO SUL
|
||||
south georgia and the south sandwich islands common pt-br SOUTH GEORGIA AND THE SOUTH SANDWICH ISLANDS
|
||||
spain common pt-br ESPANHA
|
||||
split table cells tinymce pt-br Dividir células
|
||||
sri lanka common pt-br SRI LANKA
|
||||
start date common pt-br Data de início
|
||||
start time common pt-br Hora de início
|
||||
@ -757,7 +630,6 @@ start with common pt-br iniciar com
|
||||
starting up... common pt-br Iniciando...
|
||||
status common pt-br Status
|
||||
stretched common pt-br esticado
|
||||
striketrough tinymce pt-br Batida completamente
|
||||
subject common pt-br Assunto
|
||||
submit common pt-br Enviar
|
||||
subscript common pt-br Subscrito
|
||||
@ -771,24 +643,18 @@ swaziland common pt-br SUAZIL
|
||||
sweden common pt-br SUÉCIA
|
||||
switzerland common pt-br SUÍÇA
|
||||
syrian arab republic common pt-br SÍRIA
|
||||
table cell properties tinymce pt-br Propriedades da célula
|
||||
table properties common pt-br Propriedades da tabela
|
||||
table row properties tinymce pt-br Propriedades da linha
|
||||
taiwan common pt-br TAIWAN/TAIPEI
|
||||
tajikistan common pt-br TAJIQUISTÃO
|
||||
tanzania, united republic of common pt-br TANZÂNIA
|
||||
target tinymce pt-br Alvo
|
||||
text color: common pt-br Cor do texto:
|
||||
thailand common pt-br TAILÂNDIA
|
||||
the api is current common pt-br A API está atualizada
|
||||
the api requires an upgrade common pt-br A API requer atualização
|
||||
the following applications require upgrades common pt-br As seguintes aplicações requerem atualização
|
||||
the mail server returned common pt-br O servidor de email retornou
|
||||
the search has been compleated. the search string could not be found. tinymce pt-br A pesquisa foi completada e não encontrou nada.
|
||||
this application is current common pt-br A aplicação está atualizada
|
||||
this application requires an upgrade common pt-br Esta aplicação requer atualização
|
||||
this is just a template button tinymce pt-br Este é apenas um botão modelo
|
||||
this is just a template popup tinymce pt-br Este é apenas um popup modelo
|
||||
this name has been used already common pt-br Este nome já está em uso !
|
||||
thursday common pt-br Quinta
|
||||
tiled common pt-br mosaico
|
||||
@ -803,7 +669,6 @@ to go back to the msg list, click <a href= %1 >here</a> common pt-br Para voltar
|
||||
today common pt-br Hoje
|
||||
todays date, eg. "%1" common pt-br Data de hoje, ex. "%1"
|
||||
toggle first day of week jscalendar pt-br Utilizar como primeiro dia da semana
|
||||
toggle fullscreen mode tinymce pt-br Alterar para modo tela cheia
|
||||
toggle html source common pt-br Alterar para fonte HTML
|
||||
togo common pt-br TOGO
|
||||
tokelau common pt-br TOKELAU
|
||||
@ -824,30 +689,22 @@ uganda common pt-br UGANDA
|
||||
ukraine common pt-br UCRÂNIA
|
||||
underline common pt-br Sublinhado
|
||||
underline.gif common pt-br underline.gif
|
||||
undo tinymce pt-br Desfazer
|
||||
undoes your last action common pt-br Desfazer sua última ação
|
||||
united arab emirates common pt-br EMIRADOS ÁRABES UNIDOS
|
||||
united kingdom common pt-br INGLATERRA
|
||||
united states common pt-br ESTADOS UNIDOS
|
||||
united states minor outlying islands common pt-br ILHAS MENORES EEUU
|
||||
unknown common pt-br Desconhecido
|
||||
unlink tinymce pt-br Desvincular
|
||||
unlink failed. tinymce pt-br Desvinculação falhou
|
||||
unordered list tinymce pt-br Lista desordenada
|
||||
up tinymce pt-br Acima
|
||||
update common pt-br Atualizar
|
||||
update the clock per minute or per second common pt-br Atualizar o relógio por minuto ou por segundo.
|
||||
upload common pt-br Carregar
|
||||
upload directory does not exist, or is not writeable by webserver common pt-br Diretório de carregamento não existe ou o servidor web não tem direito de escrita nele.
|
||||
uploading... tinymce pt-br Carregando...
|
||||
url common pt-br URL
|
||||
uruguay common pt-br URUGUAI
|
||||
use button to search for common pt-br Utilize o botão para buscar por
|
||||
use button to search for address common pt-br Utilize o botão para procurar por endereços
|
||||
use button to search for calendarevent common pt-br Utilize o botão para procurar por eventos na agenda
|
||||
use button to search for project common pt-br Utilize o botão para procurar por projetos
|
||||
use ctrl and/or shift to select multiple items. tinymce pt-br Use Ctrl e/ou Shift para selecionar múltiplos itens.
|
||||
use ctrl+v on your keyboard to paste the text into the window. tinymce pt-br Use Ctrl+V em seu teclado para colar o texto dentro da janela.
|
||||
user common pt-br Usuário
|
||||
user accounts common pt-br Contas do usuário
|
||||
user groups common pt-br Grupos do usuário
|
||||
@ -859,14 +716,11 @@ uzbekistan common pt-br UZBEQUIIST
|
||||
vanuatu common pt-br VANUATU
|
||||
venezuela common pt-br VENEZUELA
|
||||
version common pt-br Versão
|
||||
vertical alignment tinymce pt-br Alinhamento vertical
|
||||
viet nam common pt-br VIETNÃ
|
||||
view common pt-br Exibir
|
||||
virgin islands, british common pt-br ILHAS VIRGENS (ING)
|
||||
virgin islands, u.s. common pt-br ILHAS VIRGENS (EUA)
|
||||
wallis and futuna common pt-br WALLIS E FUTUNA
|
||||
warning!\n renaming or moving folders and files will break existing links in your documents. continue? tinymce pt-br Cuidado!\n Renomear ou mover pastas e arquivos invalidará links em seus documentos. Continuar?
|
||||
warning!n renaming or moving folders and files will break existing links in your documents. continue? tinymce pt-br Cuidado!\n Renomear ou mover pastas e arquivos invalidará links em seus documentos. Continuar?
|
||||
wednesday common pt-br Quarta
|
||||
welcome common pt-br Bem Vindo
|
||||
western sahara common pt-br WESTERN SAHARA
|
||||
@ -876,7 +730,6 @@ when you say yes the home and logout buttons are presented as applications in th
|
||||
where and how will the egroupware links like preferences, about and logout be displayed. common pt-br Onde e como links como Preferências, Sobre e Desconectar serão exibidos ?
|
||||
which groups common pt-br Qual grupo
|
||||
width common pt-br Largura
|
||||
window name tinymce pt-br Nome da janela
|
||||
wk jscalendar pt-br wk
|
||||
work email common pt-br Endereço de e-mail comercial
|
||||
would you like to display the page generation time at the bottom of every window? common pt-br Você gostaria de exibir o tempo de geração da página no rodapé de cada janela?
|
||||
@ -895,7 +748,6 @@ you have not entered participants common pt-br Voc
|
||||
you have selected an invalid date common pt-br Você selecionou uma data inválida !
|
||||
you have selected an invalid main category common pt-br Você selecionou uma categoria principal inválida !
|
||||
you have successfully logged out common pt-br Você encerrou a sessão corretamente.
|
||||
you must enter the url tinymce pt-br Você precisa informar a URL
|
||||
you need to add the webserver user '%1' to the group '%2'. common pt-br Você precisa adicionar o usuário webserver '%1' ao grupo '%2'.
|
||||
you've tried to open the egroupware application: %1, but you have no permission to access this application. common pt-br Você tentou abrir a aplicação: %1, mas você não tem permissão para acessá-la.
|
||||
your message could <b>not</b> be sent!<br> common pt-br <b>Não</b> foi possível enviar sua mensagem!<br>
|
||||
|
@ -22,7 +22,6 @@ _image properties... htmlarea-ContextMenu pt Propriedades da _Imagem...
|
||||
_modify link... htmlarea-ContextMenu pt _Modificar Ligação...
|
||||
_remove link... htmlarea-ContextMenu pt _Eliminar Ligação...
|
||||
_table properties... htmlarea-ContextMenu pt Propriedades da _Tabela...
|
||||
a editor instance must be focused before using this command. tinymce pt Uma instância do editor deverá estar seleccionada antes de utilizar este comando.
|
||||
about common pt Sobre
|
||||
about %1 common pt Sobre a aplicação %1
|
||||
about egroupware common pt Sobre o eGroupware
|
||||
@ -49,18 +48,11 @@ afghanistan common pt Afeganist
|
||||
albania common pt Albânia
|
||||
algeria common pt Algéria
|
||||
align htmlarea-TableOperations pt Alinhar
|
||||
align center tinymce pt Alinhar ao centro
|
||||
align full tinymce pt Justificado
|
||||
align left tinymce pt Alinhar à esquerda
|
||||
align right tinymce pt Alinhar à direita
|
||||
alignment tinymce pt Alinhamento
|
||||
all common pt Tudo
|
||||
all fields common pt Todos os campos
|
||||
all four sides htmlarea-TableOperations pt Todos os quatro lados
|
||||
all occurrences of the search string was replaced. tinymce pt Todas as ocorrências da pesquisa foram substituídas.
|
||||
alphabet common pt a,b,c,d,e,f,g,h,i,j,k,l,m,n,o,p,q,r,s,t,u,v,w,x,y,z
|
||||
alternate style-sheet: common pt Folha de estilo alternativa
|
||||
alternative image tinymce pt Imagem alternativa
|
||||
american samoa common pt Samoa Americana
|
||||
andorra common pt Andorra
|
||||
angola common pt Angola
|
||||
@ -103,14 +95,12 @@ belgium common pt B
|
||||
belize common pt Belize
|
||||
benin common pt Benim
|
||||
bermuda common pt Bermudas
|
||||
bg color tinymce pt Cor de fundo
|
||||
bhutan common pt Butão
|
||||
blocked, too many attempts common pt Bloqueado: demasiadas tentativas
|
||||
bold common pt Negrito
|
||||
bold.gif common pt negrito.gif
|
||||
bolivia common pt Bolívia
|
||||
border common pt Contorno
|
||||
border color tinymce pt Cor do contorno
|
||||
borders htmlarea-TableOperations pt Contornos
|
||||
bosnia and herzegovina common pt Bósnia-Herzegovina
|
||||
botswana common pt Botsuana
|
||||
@ -141,9 +131,6 @@ category %1 has been updated ! common pt Categoria %1 foi actualizada !
|
||||
cayman islands common pt Ilhas Caimão
|
||||
cc common pt Cc
|
||||
cell properties htmlarea-TableOperations pt Propriedades das células
|
||||
cellpadding tinymce pt Margem interior
|
||||
cellspacing tinymce pt Espaça<br/>mento
|
||||
center tinymce pt Centro
|
||||
centered common pt centrado
|
||||
central african republic common pt República Centro-Africana
|
||||
chad common pt Chade
|
||||
@ -160,13 +147,10 @@ choose a background color for the icons common pt Escolha uma cor de fundo para
|
||||
choose a background image. common pt Escolha uma imagem de fundo.
|
||||
choose a background style. common pt Escolha um estilo de fundo.
|
||||
choose a text color for the icons common pt Escolha uma cor de texto para os ícones
|
||||
choose directory to move selected folders and files to. tinymce pt Escolha a directoria para onde mover as pastas e ficheiros seleccionados.
|
||||
choose list style type (for ordered lists) htmlarea-ListType pt Escolha o tipo de estilo de lista (para listas ordenadas)
|
||||
choose the category common pt Escolha a categoria
|
||||
choose the parent category common pt Escolha a categoria principal
|
||||
christmas island common pt Ilha Natal
|
||||
class tinymce pt Classe de CSS
|
||||
cleanup messy code tinymce pt Limpeza de código
|
||||
clear common pt Cancelar
|
||||
clear form common pt Limpar Formulário
|
||||
click common pt Clicar
|
||||
@ -178,20 +162,15 @@ cocos (keeling) islands common pt Ilhas Cocos (Keeling)
|
||||
collapsed borders htmlarea-TableOperations pt Contornos sobrepostos
|
||||
colombia common pt Colômbia
|
||||
color htmlarea-TableOperations pt Cor
|
||||
columns tinymce pt Colunas
|
||||
comment tinymce pt Comentário
|
||||
common preferences common pt Preferências gerais
|
||||
comoros common pt Comores
|
||||
company common pt Empresa
|
||||
configuration problem tinymce pt Problema de configuração
|
||||
congo common pt Congo
|
||||
congo, the democratic republic of the common pt Congo, República Democrática do
|
||||
contacting server... common pt A ligar ao servidor...
|
||||
cook islands common pt Ilhas Cook
|
||||
copy common pt Copiar
|
||||
copy selection htmlarea pt Copiar selecção
|
||||
copy table row tinymce pt Copiar linha da tabela
|
||||
copy/cut/paste is not available in mozilla and firefox.\ndo you want more information about this issue? tinymce pt Copiar/Cortar/Colar não está disponível em Mozilla and Firefox.\nPretende obter mais informações sobre este assunto?
|
||||
costa rica common pt Costa Rica
|
||||
cote d ivoire common pt Costa do Marfim
|
||||
could not contact server. operation timed out! common pt Não foi possível ligar ao servidor. Sessão expirou!
|
||||
@ -207,19 +186,16 @@ current url is htmlarea-ContextMenu pt A URL actual
|
||||
current users common pt Utilizadores actuais
|
||||
cut htmlarea-ContextMenu pt Cortar
|
||||
cut selection htmlarea pt Cortar selecção
|
||||
cut table row tinymce pt Cortar linha da tabela
|
||||
cyprus common pt Chipre
|
||||
czech republic common pt República Checa
|
||||
date common pt Data
|
||||
date due common pt Até
|
||||
date modified tinymce pt Última modificação
|
||||
date selection: jscalendar pt Selecção de data:
|
||||
datetime port.<br>if using port 13, please set firewall rules appropriately before submitting this page.<br>(port: 13 / host: 129.6.15.28) admin pt Porto Datetime.<br>Se utilizar o porto 13, por favor configure as regras da firewall apropriadamente antes de enviar esta página.<br>(Porto: 13 / Servidor: 129.6.15.28)
|
||||
de_lete column htmlarea-ContextMenu pt E_liminar Coluna
|
||||
december common pt Dezembro
|
||||
decimal numbers htmlarea-ListType pt Números decimais
|
||||
decrease indent htmlarea pt Diminuir avanço
|
||||
default tinymce pt Por omissão
|
||||
default category common pt Categoria por omissão
|
||||
default height for the windows common pt Altura das janelas por omissão
|
||||
default width for the windows common pt Largura das janelas por omissão
|
||||
@ -235,10 +211,7 @@ detail common pt Detalhe
|
||||
details common pt Detalhes
|
||||
diable the execution a bugfixscript for internet explorer 5.5 and higher to show transparency in png-images? common pt Desactivar a execução de um script de correcção de falhas do Internet Explorer 5.5 ou superior para exibir as transparências nas imagens .png?
|
||||
dictionary htmlarea-SpellChecker pt Dicionário
|
||||
direction tinymce pt Direcção
|
||||
direction left to right common pt Da esquerda para a direita
|
||||
direction right to left tinymce pt Da direita para a esquerda
|
||||
directory tinymce pt Directoria
|
||||
disable internet explorer png-image-bugfix common pt Desactivar o corrector de falhas de imagens .png do Internet Explorer
|
||||
disable slider effects common pt Desactivar efeitos de deslizamento
|
||||
disable the animated slider effects when showing or hiding menus in the page? opera and konqueror users will probably must want this. common pt Desactivar os efeitos de deslizamento animado ao exibir ou esconder os menus na página? Os utilizadores de Opera e Konqueror deverão achar esta opção útil.
|
||||
@ -247,7 +220,6 @@ disabled common pt Desactivado
|
||||
display %s first jscalendar pt Exibir %s primeiro
|
||||
djibouti common pt Jibuti
|
||||
do you also want to delete all subcategories ? common pt Deseja eliminar também todas subcategorias ?
|
||||
do you want to use the wysiwyg mode for this textarea? tinymce pt Deseja utilizar o modo WYSIWYG para esta área de texto?
|
||||
doctype: common pt Tipo de documento:
|
||||
document properties common pt Propriedades do documento
|
||||
document title: common pt Título do documento
|
||||
@ -257,7 +229,6 @@ domestic common pt Dom
|
||||
dominica common pt Dominica
|
||||
dominican republic common pt República Dominicana
|
||||
done common pt Concluído
|
||||
down tinymce pt Baixo
|
||||
drag to move jscalendar pt Arrastar para mover
|
||||
e-mail common pt Correio Electrónico
|
||||
east timor common pt Timor Leste
|
||||
@ -273,7 +244,6 @@ el salvador common pt Salvador
|
||||
element... htmlarea-ContextMenu pt Elemento...
|
||||
email common pt Correio Electrónico
|
||||
email-address of the user, eg. "%1" common pt endereço de correio electrónico para o utilizador. Ex: "%1"
|
||||
emotions tinymce pt Emoções
|
||||
en common pt en
|
||||
enabled common pt Activado
|
||||
end date common pt Data de fim
|
||||
@ -299,22 +269,8 @@ february common pt Fevereiro
|
||||
fg color htmlarea-TableOperations pt Cor FG
|
||||
fields common pt Campos
|
||||
fiji common pt Fiji
|
||||
file already exists. file was not uploaded. tinymce pt Ficheiro já existente. O ficheiro não foi enviado.
|
||||
file exceeds the size limit tinymce pt Ficheiro excede tamanho limite
|
||||
file manager tinymce pt Gestor de ficheiros
|
||||
file not found. tinymce pt Ficheiro não encontrado.
|
||||
file was not uploaded. tinymce pt Ficheiro não foi enviado.
|
||||
file with specified new name already exists. file was not renamed/moved. tinymce pt Já existe um ficheiro com esse nome. O ficheiro não foi renomeado/movido.
|
||||
file(s) tinymce pt ficheiro(s)
|
||||
file: tinymce pt Ficheiro:
|
||||
files common pt Ficheiros
|
||||
files with this extension are not allowed. tinymce pt Não são permitidos ficheiros com esta extensão.
|
||||
filter common pt Filtro
|
||||
find tinymce pt Procurar
|
||||
find again tinymce pt Procurar novamente
|
||||
find what tinymce pt Procurar o quê
|
||||
find next tinymce pt Procurar seguinte
|
||||
find/replace tinymce pt Procurar/Substituir
|
||||
finished list of mispelled words htmlarea-SpellChecker pt Lista de palavras escritas incorrectamente concluída.
|
||||
finland common pt Finlândia
|
||||
first name common pt Nome
|
||||
@ -322,19 +278,9 @@ first name of the user, eg. "%1" common pt primeiro nome do utilizador. Ex:"%1"
|
||||
first page common pt Primeira página
|
||||
firstname common pt Primeiro nome
|
||||
fixme! common pt Corrija-me!
|
||||
flash files tinymce pt Ficheiros de Flash
|
||||
flash properties tinymce pt Propriedades Flash
|
||||
flash-file (.swf) tinymce pt Ficheiro de Flash (.swf)
|
||||
float htmlarea-TableOperations pt Flutuar
|
||||
folder tinymce pt Pasta
|
||||
folder already exists. common pt Pasta já existente.
|
||||
folder name missing. tinymce pt Nome da pasta em falta.
|
||||
folder not found. tinymce pt Pasta não encontrada.
|
||||
folder with specified new name already exists. folder was not renamed/moved. tinymce pt Já existe uma pasta com esse nome. A pasta não foi renomeada/movida.
|
||||
folder(s) tinymce pt pasta(s)
|
||||
font color htmlarea pt Cor da Fonte
|
||||
for mouse out tinymce pt Não passar rato por cima
|
||||
for mouse over tinymce pt Passar rato por cima
|
||||
force selectbox common pt Forçar caixa de selecção
|
||||
frames htmlarea-TableOperations pt Frames
|
||||
france common pt França
|
||||
@ -406,18 +352,12 @@ if the clock is enabled would you like it to update it every second or every min
|
||||
if there are some images in the background folder you can choose the one you would like to see. common pt Se existirem imagens na pasta de fundo, pode escolher a que gosta mais.
|
||||
ignore htmlarea-SpellChecker pt Ignorar
|
||||
ignore all htmlarea-SpellChecker pt Ignorar todas
|
||||
image description tinymce pt Descrição da imagem
|
||||
image title tinymce pt Título da imagem
|
||||
image url common pt URL da imagem
|
||||
in_sert row after htmlarea-ContextMenu pt In_serir Linha Depois
|
||||
increase indent htmlarea pt Aumentar avanço
|
||||
indent tinymce pt Avanço
|
||||
india common pt Índia
|
||||
indonesia common pt Indonésia
|
||||
insert tinymce pt Inserir
|
||||
insert 'return false' common pt Inserir 'return false'
|
||||
insert / edit flash movie tinymce pt Inserir / editar Filme Flash
|
||||
insert / edit horizontale rule tinymce pt Inserir / editar Regra Horizontal
|
||||
insert _column before htmlarea-ContextMenu pt Inserir _Coluna Antes
|
||||
insert a new column after the current one htmlarea-ContextMenu pt Inserir uma nova coluna depois da actual
|
||||
insert a new column before the current one htmlarea-ContextMenu pt Inserir uma nova coluna antes da actual
|
||||
@ -429,20 +369,11 @@ insert cell after htmlarea-TableOperations pt Inserir c
|
||||
insert cell before htmlarea-TableOperations pt Inserir célula antes
|
||||
insert column after common pt Inserir coluna depois
|
||||
insert column before common pt Inserir coluna antes
|
||||
insert date tinymce pt Inserir data
|
||||
insert emotion tinymce pt Inserir emoção
|
||||
insert file tinymce pt Inserir Ficheiro
|
||||
insert image htmlarea pt Inserir Imagem
|
||||
insert link to file tinymce pt Inserir ligação para ficheiro
|
||||
insert row after common pt Inserir linha depois
|
||||
insert row before common pt Inserir linha antes
|
||||
insert table htmlarea pt Inserir Tabela
|
||||
insert time tinymce pt Inserir hora
|
||||
insert web link htmlarea pt Inserir Ligação Web
|
||||
insert/edit image tinymce pt Inserir/editar imagem
|
||||
insert/edit link tinymce pt Inserir/editar ligação
|
||||
insert/modify table tinymce pt Inserir/Modificar tabela
|
||||
inserts a new table tinymce pt Insere uma nova tabela
|
||||
international common pt Internacional
|
||||
invalid filename common pt Nome de ficheiro inválido
|
||||
invalid ip address common pt Endereço IP inválido
|
||||
@ -460,7 +391,6 @@ jamaica common pt Jamaica
|
||||
january common pt Janeiro
|
||||
japan common pt Japão
|
||||
jordan common pt Jordânia
|
||||
js-popup tinymce pt Popup JS
|
||||
july common pt Julho
|
||||
jun common pt Jun
|
||||
june common pt Junho
|
||||
@ -470,7 +400,6 @@ justify full common pt Justificar
|
||||
justify left common pt Alinhar à Esquerda
|
||||
justify right common pt Alinhar à Direita
|
||||
kazakstan common pt Cazaquistão
|
||||
keep linebreaks tinymce pt Manter quebras de linha
|
||||
kenya common pt Quénia
|
||||
keywords common pt Palavras-chave
|
||||
kiribati common pt Kiribati
|
||||
@ -497,11 +426,9 @@ license common pt Licen
|
||||
liechtenstein common pt Liechtenstein
|
||||
line %1: '%2'<br><b>csv data does not match column-count of table %3 ==> ignored</b> common pt Linha %1:'%2'<br><b>dados csv não coincidem com o número de colunas da tabela %3 ==> ignorado</b>
|
||||
link points to: htmlarea-ContextMenu pt Ligar pontos a:
|
||||
link url tinymce pt Ligar URL
|
||||
list common pt Listar
|
||||
list members common pt Listar membros
|
||||
lithuania common pt Lituânia
|
||||
loading files tinymce pt Enviar ficheiros
|
||||
local common pt Local
|
||||
login common pt Entrar
|
||||
loginid common pt ID de ligação
|
||||
@ -520,7 +447,6 @@ main category common pt Cetegoria principal
|
||||
main screen common pt Ecrã principal
|
||||
maintainer common pt Administrador
|
||||
make lin_k... htmlarea-ContextMenu pt Criar ligação... (_k)
|
||||
make window resizable tinymce pt Tornar a janela adaptável
|
||||
malawi common pt Malawi
|
||||
malaysia common pt Malásia
|
||||
maldives common pt Maldivas
|
||||
@ -530,7 +456,6 @@ march common pt Mar
|
||||
margin htmlarea-TableOperations pt Margem
|
||||
marshall islands common pt Ilhas Marshall
|
||||
martinique common pt Martinica
|
||||
match case tinymce pt Resultado exacto
|
||||
mauritania common pt Mauritânia
|
||||
mauritius common pt Maurícias
|
||||
max number of icons in navbar common pt Número máximo de ícones na barra de navegação
|
||||
@ -539,13 +464,11 @@ mayotte common pt Mayotte
|
||||
medium common pt Média
|
||||
menu common pt Menu
|
||||
merge cells htmlarea-TableOperations pt Unir células
|
||||
merge table cells tinymce pt Unir células da tabela
|
||||
message common pt Mensagem
|
||||
mexico common pt México
|
||||
micronesia, federated states of common pt Micronésia, Estados Federados da
|
||||
middle htmlarea-TableOperations pt Centro
|
||||
minute common pt minuto
|
||||
mkdir failed. tinymce pt Mkdir falhou.
|
||||
modify url htmlarea-ContextMenu pt Modificar URL
|
||||
moldova, republic of common pt Moldávia, República da
|
||||
monaco common pt Mónaco
|
||||
@ -553,7 +476,6 @@ monday common pt Segunda
|
||||
mongolia common pt Mongólia
|
||||
montserrat common pt Montserrate
|
||||
morocco common pt Marrocos
|
||||
move tinymce pt Mover
|
||||
mozambique common pt Moçambique
|
||||
multiple common pt vários/as
|
||||
myanmar common pt Mianmar
|
||||
@ -567,11 +489,6 @@ netherlands antilles common pt Antilhas Holandesas
|
||||
never common pt Nunca
|
||||
new caledonia common pt Nova Caledónia
|
||||
new entry added sucessfully common pt Registo adicionado com sucesso
|
||||
new file name missing! tinymce pt Nome do novo ficheiro em falta!
|
||||
new file name: tinymce pt Novo nome do ficheiro:
|
||||
new folder tinymce pt Nova pasta
|
||||
new folder name missing! tinymce pt Nome da nova pasta em falta!
|
||||
new folder name: tinymce pt Novo nome da pasta:
|
||||
new main category common pt Nova categoria principal
|
||||
new value common pt Novo Valor
|
||||
new zealand common pt Nova Zelândia
|
||||
@ -585,17 +502,10 @@ nigeria common pt Nig
|
||||
niue common pt Niue
|
||||
no common pt Não
|
||||
no entries found, try again ... common pt nenhum resgisto encontrado, tente novamente...
|
||||
no files... tinymce pt Nenhum ficheiro...
|
||||
no history for this record common pt Nenhum histórico para este registro
|
||||
no mispelled words found with the selected dictionary. htmlarea-SpellChecker pt Nenhum erro ortográfico encontrado de acordo com o dicionário seleccionado.
|
||||
no permission to create folder. tinymce pt Não tem permissões para criar pasta.
|
||||
no permission to delete file. tinymce pt Não tem permissões para apagar ficheiro.
|
||||
no permission to move files and folders. tinymce pt Não tem permissão para mover ficheiros e pastas.
|
||||
no permission to rename files and folders. tinymce pt Não tem permissão para renomear ficheiros e pastas.
|
||||
no permission to upload. tinymce pt Não tem permissão para enviar.
|
||||
no rules htmlarea-TableOperations pt Nenhuma regra
|
||||
no savant2 template directories were found in: common pt Nenhuma directoria do modelo Savant2 foi encontrada em:
|
||||
no shadow tinymce pt Nenhuma sombra
|
||||
no sides htmlarea-TableOperations pt Nenhum lado
|
||||
no subject common pt Sem assunto
|
||||
none common pt Nenhum(a)
|
||||
@ -615,17 +525,8 @@ old value common pt Antigo Valor
|
||||
oman common pt Omã
|
||||
on *nix systems please type: %1 common pt Em sistemas *nix, por favor escreva: %1
|
||||
on mouse over common pt Ao passar com o rato por cima
|
||||
only files with extensions are permited, e.g. "imagefile.jpg". tinymce pt Só são permitidos ficheiros com extensões. Ex: "ficheiro-de-imagem.jpg".
|
||||
only private common pt Apenas privado
|
||||
only yours common pt Apenas as suas
|
||||
open file in new window tinymce pt Abrir ficheiro numa nova janela
|
||||
open in new window tinymce pt Abrir numa nova janela
|
||||
open in parent window / frame tinymce pt Abrir na janela / frame principal
|
||||
open in the window tinymce pt Abrir na janela
|
||||
open in this window / frame tinymce pt Abrir nesta janela / frame
|
||||
open in top frame (replaces all frames) tinymce pt Abrir na frame de cima (substitui todas as frames)
|
||||
open link in a new window tinymce pt Abrir endereço numa nova janela
|
||||
open link in the same window tinymce pt Abrir endereço na mesma janela
|
||||
open notify window common pt Abrir janela de aviso
|
||||
open popup window common pt Abrir janela popup
|
||||
open sidebox common pt Abrir caixa lateral
|
||||
@ -634,7 +535,6 @@ ordered list common pt Lista ordenada
|
||||
original common pt Original
|
||||
original word htmlarea-SpellChecker pt Palavra original
|
||||
other common pt Outro
|
||||
outdent tinymce pt Recuo
|
||||
overview common pt Visão geral
|
||||
owner common pt Dono
|
||||
padding htmlarea-TableOperations pt Preenchimento
|
||||
@ -657,13 +557,8 @@ password must contain at least %1 special charactars common pt A senha tem de co
|
||||
password must contain at least %1 uppercase letters common pt A senha tem de conter pelo menos %1 letras maiúsculas
|
||||
password must have at least %1 characters common pt A senha tem de conter pelo menos %1 caracteres
|
||||
paste htmlarea-ContextMenu pt Colar
|
||||
paste as plain text tinymce pt Colar como Texto
|
||||
paste from clipboard htmlarea pt Colar da área de transferência
|
||||
paste from word tinymce pt Colar do Word
|
||||
paste table row after tinymce pt Paste table row after
|
||||
paste table row before tinymce pt Paste table row before
|
||||
path htmlarea pt Caminho
|
||||
path not found. tinymce pt Caminho não encontrado
|
||||
path to user and group files has to be outside of the webservers document-root!!! common pt Caminho para ficheiros de utilizador ou de grupo tem de ser externo à raiz-documento dos servidores Web
|
||||
pattern for search in addressbook common pt Padrão para pesquisar no livro de endereços
|
||||
pattern for search in calendar common pt Padrão para pesquisar no calendário
|
||||
@ -683,8 +578,6 @@ please confirm that you want to open this link htmlarea-SpellChecker pt Por favo
|
||||
please confirm that you want to remove this element: htmlarea-ContextMenu pt Por favor, confirma que deseja eliminar este elemento:
|
||||
please confirm that you want to unlink this element. htmlarea-ContextMenu pt Por favor, confirme que deseja remover a ligação deste elemento.
|
||||
please enter a name common pt Por favor, insira um nome !
|
||||
please enter the caption text tinymce pt Por favor, insira um subtítulo
|
||||
please insert a name for the target or choose another option. tinymce pt Por favor, atribua um nome ao objectivo ou escolha outra opção.
|
||||
please run setup to become current common pt Por favor, execute a configuração para actualizar o sistema
|
||||
please select common pt Por favor, seleccione
|
||||
please set your global preferences common pt Por favor, defina as suas preferências gerais
|
||||
@ -694,9 +587,7 @@ please wait... common pt Por favor, aguarde...
|
||||
please wait: changing dictionary to htmlarea-SpellChecker pt Por favor, aguarde: a alterar dicionário para
|
||||
pliz weit ;-) htmlarea-SpellChecker pt Por favor, aguarde
|
||||
poland common pt Polónia
|
||||
popup url tinymce pt URL popup
|
||||
portugal common pt Portugal
|
||||
position (x/y) tinymce pt Posição (x/y)
|
||||
postal common pt Código Postal
|
||||
powered by egroupware version %1 common pt Desenvolvido por <a href=http://www.egroupware.org>eGroupWare</a> versão %1
|
||||
powered by phpgroupware version %1 common pt Desenvolvido por phpGroupWare versão %1
|
||||
@ -704,7 +595,6 @@ preferences common pt Prefer
|
||||
preferences for the idots template set common pt Preferências para o modelo Idots
|
||||
prev. month (hold for menu) jscalendar pt Mês anterior (manter pressionado para ver menu)
|
||||
prev. year (hold for menu) jscalendar pt Ano anterior (manter pressionado para ver menu)
|
||||
preview tinymce pt Pré-visualização
|
||||
previous page common pt Página anterior
|
||||
primary style-sheet: common pt Folha de estilo primária
|
||||
print common pt Imprimir
|
||||
@ -719,38 +609,30 @@ re-check htmlarea-SpellChecker pt Verificar novamente
|
||||
read common pt Ler
|
||||
read this list of methods. common pt Lê esta lista de métodos.
|
||||
reading common pt a ler
|
||||
redo tinymce pt Refazer
|
||||
redoes your last action htmlarea pt Refaz a sua última acção
|
||||
refresh tinymce pt Actualizar
|
||||
register common pt Registar
|
||||
reject common pt Rejeitar
|
||||
remove col tinymce pt Eliminar coluna
|
||||
remove selected accounts common pt Eliminar contas seleccionadas
|
||||
remove shortcut common pt Eliminar Atalho
|
||||
remove the htmlarea-ContextMenu pt Eliminar o/a
|
||||
remove this node from the document htmlarea-ContextMenu pt Remover este nó do documento
|
||||
rename common pt Renomear
|
||||
rename failed tinymce pt Renomeação falhou
|
||||
replace common pt Substituir
|
||||
replace all htmlarea-SpellChecker pt Substituir tudo
|
||||
replace with common pt Substituir por
|
||||
replace all tinymce pt Substituir tudo
|
||||
returns a full list of accounts on the system. warning: this is return can be quite large common pt Fornece a lista completa de contas no sistema. Aviso: Esta lista pode ser muito grande.
|
||||
returns an array of todo items common pt Fornece a lista de tarefas a fazer
|
||||
returns struct of users application access common pt Fornece a estrutura de acesso dos utilizadores às aplicações
|
||||
reunion common pt Reunião
|
||||
revert htmlarea-SpellChecker pt Reverter
|
||||
right common pt Direita
|
||||
rmdir failed. tinymce pt Rmdir falhou.
|
||||
ro_w properties... htmlarea-ContextMenu pt Propriedades da Linha... (_w)
|
||||
romania common pt Roménia
|
||||
row properties htmlarea-TableOperations pt Propriedades da Linha
|
||||
rows tinymce pt Linhas
|
||||
rules htmlarea-TableOperations pt Regras
|
||||
rules will appear between all rows and columns htmlarea-TableOperations pt As regras surgem entre todas as linhas e colunas
|
||||
rules will appear between columns only htmlarea-TableOperations pt As regras surgem apenas entre as colunas
|
||||
rules will appear between rows only htmlarea-TableOperations pt As regras surgem apenas entre as linhas
|
||||
run spell checking tinymce pt Executar verificação ortográfica
|
||||
russian federation common pt Federação Russa
|
||||
rwanda common pt Ruanda
|
||||
saint helena common pt Santa Helena
|
||||
@ -772,7 +654,6 @@ search or select multiple accounts common pt Pesquisar ou seleccionar v
|
||||
second common pt segundo
|
||||
section common pt Secção
|
||||
select common pt Seleccionar
|
||||
select all tinymce pt Seleccionar Tudo
|
||||
select all %1 %2 for %3 common pt Seleccionar todos %1 %2 para %3
|
||||
select category common pt Seleccionar Categoria
|
||||
select date common pt Seleccionar data
|
||||
@ -800,27 +681,21 @@ show all common pt Exibir tudo
|
||||
show all categorys common pt Exibir todas as categorias
|
||||
show clock? common pt Exibir relógio?
|
||||
show home and logout button in main application bar? common pt Deseja exibir os botões "página inicial" e "sair" na barra da aplicação principal?
|
||||
show locationbar tinymce pt Exibir barra de localização
|
||||
show logo's on the desktop. common pt Exibir logótipo no ambiente de trabalho.
|
||||
show menu common pt exibir menu
|
||||
show menubar tinymce pt Exibir barra de menu
|
||||
show page generation time common pt Exibir tempo de geração da página
|
||||
show page generation time on the bottom of the page? common pt Exibir tempo de geração da página no final da página?
|
||||
show page generation time? common pt Exibir tempo de geração da página?
|
||||
show scrollbars tinymce pt Exibir barras de deslocamento
|
||||
show statusbar tinymce pt Exibir barra de estado
|
||||
show the image properties dialog htmlarea-ContextMenu pt Exibir a caixa de diálogo das propriedades de imagem
|
||||
show the logo's of egroupware and x-desktop on the desktop. common pt Exibir o logótipo da eGroupware e da x-desktop no ambiente de trabalho.
|
||||
show the table cell properties dialog htmlarea-ContextMenu pt Exibir a caixa de diálogo das Propriedades de Células da Tabela
|
||||
show the table properties dialog htmlarea-ContextMenu pt Exibir a caixa de diálogo das Propriedades da Tabela
|
||||
show the table row properties dialog htmlarea-ContextMenu pt Exibir a caixa de diálogo das Propriedades de Linhas da Tabela
|
||||
show toolbars tinymce pt Exibir barra de ferramentas
|
||||
show_more_apps common pt Exibir mais aplicações
|
||||
showing %1 common pt A exibir %1
|
||||
showing %1 - %2 of %3 common pt A exibir %1 - %2 de %3
|
||||
sierra leone common pt Serra Leoa
|
||||
singapore common pt Singapura
|
||||
size tinymce pt Tamanho
|
||||
slovakia common pt Eslováquia
|
||||
slovenia common pt Eslovénia
|
||||
solomon islands common pt Ilhas Salomão
|
||||
@ -836,7 +711,6 @@ spell-check htmlarea-SpellChecker pt Verifica
|
||||
split cell htmlarea-TableOperations pt Dividir célula
|
||||
split column htmlarea-TableOperations pt Dividir coluna
|
||||
split row htmlarea-TableOperations pt Dividir linha
|
||||
split table cells tinymce pt Dividir células da coluna
|
||||
sri lanka common pt Sri Lanka
|
||||
start date common pt Data de início
|
||||
start time common pt Hora de início
|
||||
@ -845,7 +719,6 @@ starting up... common pt A iniciar...
|
||||
status common pt Estado
|
||||
stretched common pt Esticado
|
||||
strikethrough htmlarea pt Riscado
|
||||
striketrough tinymce pt Riscado
|
||||
style [css] htmlarea-TableOperations pt Estilo [CSS]
|
||||
subject common pt Assunto
|
||||
submit common pt Enviar
|
||||
@ -862,13 +735,10 @@ swaziland common pt Suazil
|
||||
sweden common pt Suécia
|
||||
switzerland common pt Suíça
|
||||
syrian arab republic common pt Síria, República Árabe
|
||||
table cell properties tinymce pt Propriedades de células da tabela
|
||||
table properties common pt Propriedades da tabela
|
||||
table row properties tinymce pt Propriedades de linhas da tabela
|
||||
taiwan common pt Taiwan (Formosa)/Taipé
|
||||
tajikistan common pt Tajiquistão
|
||||
tanzania, united republic of common pt Tanzânia, República Unida da
|
||||
target tinymce pt Destino
|
||||
text align htmlarea-TableOperations pt Alinhar texto
|
||||
text color: common pt Cor do texto:
|
||||
thailand common pt Tailândia
|
||||
@ -880,13 +750,10 @@ the left-hand side only htmlarea-TableOperations pt Apenas o lado esquerdo
|
||||
the mail server returned common pt O servidor de correio electrónico retornou
|
||||
the right and left sides only htmlarea-TableOperations pt Apenas os lados esquerdo e direito
|
||||
the right-hand side only htmlarea-TableOperations pt Apenas o lado direito
|
||||
the search has been compleated. the search string could not be found. tinymce pt A pesquisa foi concluída. O termo de pesquisa não foi encontrado.
|
||||
the top and bottom sides only htmlarea-TableOperations pt Apenas os lados superior e inferior
|
||||
the top side only htmlarea-TableOperations pt Apenas o lado superior
|
||||
this application is current common pt A aplicação encontra-se actualizada
|
||||
this application requires an upgrade common pt Esta aplicação requer actualização
|
||||
this is just a template button tinymce pt Isto é apenas um botão modelo
|
||||
this is just a template popup tinymce pt Isto é apenas um popup modelo
|
||||
this name has been used already common pt Este nome já está a ser utilizado !
|
||||
this will drop changes and quit spell checker. please confirm. htmlarea-SpellChecker pt Esta acção irá cancelar as alterações e abandonar o verificador ortográfico. Por favor, confirme.
|
||||
thursday common pt Quinta
|
||||
@ -902,7 +769,6 @@ to go back to the msg list, click <a href= %1 >here</a> common pt Para voltar pa
|
||||
today common pt Hoje
|
||||
todays date, eg. "%1" common pt data de hoje, ex: "%1"
|
||||
toggle first day of week jscalendar pt Alterar o primeiro dia da semana
|
||||
toggle fullscreen mode tinymce pt Alterar modo de ecrã inteiro
|
||||
toggle html source htmlarea pt Alterar a fonte HTML
|
||||
togo common pt Togo
|
||||
tokelau common pt Toquelau
|
||||
@ -923,25 +789,19 @@ uganda common pt Uganda
|
||||
ukraine common pt Ucrânia
|
||||
underline common pt Sublinhado
|
||||
underline.gif common pt sublinhado.gif
|
||||
undo tinymce pt Anular
|
||||
undoes your last action htmlarea pt Anula a última acção
|
||||
united arab emirates common pt Emiratos Árabes Unidos
|
||||
united kingdom common pt Reino Unido
|
||||
united states common pt Estados Unidos da Américo
|
||||
united states minor outlying islands common pt Ilhas Menores Distantes dos Estados Unidos
|
||||
unknown common pt Desconhecido
|
||||
unlink tinymce pt Eliminar ligação
|
||||
unlink failed. tinymce pt Remoção da ligação falhou.
|
||||
unlink the current element htmlarea-ContextMenu pt Remover ligaçao do elemento actual
|
||||
unordered list tinymce pt Lista não ordenada
|
||||
unset color htmlarea-TableOperations pt Desconfigurar cor
|
||||
up tinymce pt Cima
|
||||
update common pt Actualizar
|
||||
update the clock per minute or per second common pt Actualizar o relógio ao minuto ou ao segundo
|
||||
upload common pt Enviar
|
||||
upload directory does not exist, or is not writeable by webserver common pt A directoria de envio não existe, ou não é editável pelo servidor Web
|
||||
upload image htmlarea-UploadImage pt Enviar Imagem
|
||||
uploading... tinymce pt A enviar...
|
||||
upper latin letters htmlarea-ListType pt Letras latinas maiúsculas
|
||||
upper roman numbers htmlarea-ListType pt Números romanos maiúsculos
|
||||
url common pt URL
|
||||
@ -950,8 +810,6 @@ use button to search for common pt utilizar Bot
|
||||
use button to search for address common pt utilizar Botão para pesquisar por Endereço
|
||||
use button to search for calendarevent common pt utilizar Botão para pesquisar por Evento do Calendário
|
||||
use button to search for project common pt utilizar Botão para pesquisar por Projecto
|
||||
use ctrl and/or shift to select multiple items. tinymce pt Prima Ctrl e/ou Shift para seleccionar vários itens.
|
||||
use ctrl+v on your keyboard to paste the text into the window. tinymce pt Prima CTRL+V no seu teclado para colar o texto na janela.
|
||||
user common pt Utilizador
|
||||
user accounts common pt Contas do utilizador
|
||||
user groups common pt Grupos do utilizador
|
||||
@ -964,13 +822,11 @@ vanuatu common pt Vanuatu
|
||||
venezuela common pt Venezuela
|
||||
version common pt Versão
|
||||
vertical align htmlarea-TableOperations pt Alinhar verticalmente
|
||||
vertical alignment tinymce pt Alinhamento vertical
|
||||
viet nam common pt Vietname
|
||||
view common pt Ver
|
||||
virgin islands, british common pt Ilhas Virgens Britânicas
|
||||
virgin islands, u.s. common pt Ilhas Virgens Americanas
|
||||
wallis and futuna common pt Ilhas Wallis e Futuna
|
||||
warning!\n renaming or moving folders and files will break existing links in your documents. continue? tinymce pt Aviso!\n Ao renomear ou mover pastas e ficheiros perderá as ligações aos seus documentos. Continuar?
|
||||
wednesday common pt Quarta
|
||||
welcome common pt Bem-vindo
|
||||
western sahara common pt Saara Ocidental
|
||||
@ -979,7 +835,6 @@ what style would you like the image to have? common pt Que estilo deseja que a i
|
||||
when you say yes the home and logout buttons are presented as applications in the main top applcation bar. common pt Se disser que sim, os botões "página inicial" e "sair" serão apresentados como aplicações na barra de aplicações.
|
||||
which groups common pt Que grupo(s)
|
||||
width common pt Largura
|
||||
window name tinymce pt Nome da janela
|
||||
wk jscalendar pt Semana
|
||||
work email common pt endereço de correio electrónico do trabalho
|
||||
would you like to display the page generation time at the bottom of every window? common pt Deseja apresentar o tempo de geração da página no final de cada janela?
|
||||
@ -998,7 +853,6 @@ you have not entered participants common pt N
|
||||
you have selected an invalid date common pt Seleccionou uma data inválida !
|
||||
you have selected an invalid main category common pt Seleccionou uma categoria principal inválida !
|
||||
you have successfully logged out common pt Saiu com sucesso
|
||||
you must enter the url tinymce pt É necessário inserir a URL
|
||||
you need to add the webserver user '%1' to the group '%2'. common pt É necessário adicionar o utilizador '%1' do servidor Web ao grupo '%2'
|
||||
your message could <b>not</b> be sent!<br> common pt <b>Não</b> foi possível enviar sua mensagem!<br>
|
||||
your message has been sent common pt A sua mensagem foi enviada
|
||||
|
@ -22,7 +22,6 @@ _image properties... htmlarea-ContextMenu ru _
|
||||
_modify link... htmlarea-ContextMenu ru _éÚÍÅÎÉÔØ óÓÙÌËÕ...
|
||||
_remove link... htmlarea-ContextMenu ru _õÄÁÌÉÔØ óÓÙÌËÕ...
|
||||
_table properties... htmlarea-ContextMenu ru _ó×ÏÊÓÔ×Á ôÁÂÌÉÃÙ...
|
||||
a editor instance must be focused before using this command. tinymce ru ÷Ù ÄÏÌÖÎÙ ÐÅÒÅÊÔÉ × ÏÂÌÁÓÔØ ÒÅÄÁËÔÏÒÁ ÐÅÒÅÄ ÉÓÐÏÌØÚÏ×ÁÎÉÅÍ ÜÔÏÊ ËÏÍÁÎÄÙ.
|
||||
about common ru ï ÐÒÏÇÒÁÍÍÅ
|
||||
about %1 common ru ï %1
|
||||
about egroupware common ru ï eGroupware
|
||||
@ -49,18 +48,11 @@ afghanistan common ru
|
||||
albania common ru áÌÂÁÎÉÑ
|
||||
algeria common ru áÌÖÉÒ
|
||||
align htmlarea-TableOperations ru ÷ÙÒÏ×ÎÑÔØ
|
||||
align center tinymce ru ÷ÙÒÏ×ÎÑÔØ ÐÏ ÃÅÎÔÒÕ
|
||||
align full tinymce ru ÷ÙÒÏ×ÎÑÔØ ÐÏ ÛÉÒÉÎÅ
|
||||
align left tinymce ru ÷ÙÒÏ×ÎÑÔØ ÐÏ ÌÅ×ÏÍÕ ËÒÁÀ
|
||||
align right tinymce ru ÷ÙÒÏ×ÎÑÔØ ÐÏ ÐÒÁ×ÏÍÕ ËÒÁÀ
|
||||
alignment tinymce ru ÷ÙÒÁ×ÎÉ×ÁÎÉÅ
|
||||
all common ru ÷ÓÅ
|
||||
all fields common ru ×ÓÅ ÐÏÌÑ
|
||||
all four sides htmlarea-TableOperations ru ÷ÓÅ ÞÅÔÙÒÅ ÓÔÏÒÏÎÙ
|
||||
all occurrences of the search string was replaced. tinymce ru ÷ÓÅ ÎÁÊÄÅÎÎÙÅ ÓÏ×ÐÁÄÅÎÉÑ ÂÙÌÉ ÚÁÍÅÎÅÎÙ.
|
||||
alphabet common ru Á,Â,×,Ç,Ä,Å,Ö,Ú,É,Ê,Ë,Ì,Í,Î,Ï,Ð,Ò,Ó,Ô,Õ,Æ,È,Ã,Þ,Û,Ý,ß,Ù,Ø,Ü,À,Ñ
|
||||
alternate style-sheet: common ru áÌØÔÅÒÎÁÔÉ×ÎÁÑ ÔÁÂÌÉÃÁ ÓÔÉÌÅÊ:
|
||||
alternative image tinymce ru áÌØÔÅÒÎÁÔÉ×ÎÙÊ ÒÉÓÕÎÏË
|
||||
american samoa common ru áÍÅÒÉËÁÎÓËÏÅ óÁÍÏÁ
|
||||
andorra common ru áÎÄÏÒÒÁ
|
||||
angola common ru áÎÇÏÌÁ
|
||||
@ -103,14 +95,12 @@ belgium common ru
|
||||
belize common ru âÅÌÉÚ
|
||||
benin common ru âÅÎÉÎ
|
||||
bermuda common ru âÅÒÍÕÄÓËÉÅ ÏÓÔÒÏ×Á
|
||||
bg color tinymce ru æÏÎ. Ã×ÅÔ
|
||||
bhutan common ru âÕÔÁÎ
|
||||
blocked, too many attempts common ru úÁÂÌÏËÉÒÏ×ÁÎÏ, ÓÌÉÛËÏÍ ÍÎÏÇÏ ÐÏÐÙÔÏË
|
||||
bold common ru ðÏÌÕÖÉÒÎÙÊ
|
||||
bold.gif common ru bold.gif
|
||||
bolivia common ru âÏÌÉ×ÉÑ
|
||||
border common ru çÒÁÎÉÃÁ
|
||||
border color tinymce ru ã×ÅÔ ÇÒÁÎÉÃÙ
|
||||
borders htmlarea-TableOperations ru çÒÁÎÉÃÙ
|
||||
bosnia and herzegovina common ru âÏÓÎÉÑ É çÅÒÃÅÇÏ×ÉÎÁ
|
||||
botswana common ru âÏÔÓ×ÁÎÁ
|
||||
@ -141,9 +131,6 @@ category %1 has been updated ! common ru
|
||||
cayman islands common ru ëÁÊÍÁÎÏ×Ù ÏÓÔÒÏ×Á
|
||||
cc common ru ëÏÐÉÑ (Cc)
|
||||
cell properties htmlarea-TableOperations ru ó×ÏÊÓÔ×Á ÑÞÅÊËÉ
|
||||
cellpadding tinymce ru îÁÂÉ×ËÁ ÑÞÅÊËÉ
|
||||
cellspacing tinymce ru òÁÚÇÏÎËÁ ÑÞÅÊËÉ
|
||||
center tinymce ru ãÅÎÔÒ
|
||||
centered common ru ÐÏ ÃÅÎÔÒÕ
|
||||
central african republic common ru ãÅÎÔÒÁÌØÎÏÁÆÒÉËÁÎÓËÁÑ òÅÓÐÕÂÌÉËÁ
|
||||
chad common ru þÁÄ
|
||||
@ -160,13 +147,10 @@ choose a background color for the icons common ru
|
||||
choose a background image. common ru ÷ÙÂÒÁÔØ ÆÏÎÏ×ÏÅ ÉÚÏÂÒÁÖÅÎÉÅ.
|
||||
choose a background style. common ru ÷ÙÂÒÁÔØ ÓÔÉÌØ ÆÏÎÁ.
|
||||
choose a text color for the icons common ru ÷ÙÂÒÁÔØ Ã×ÅÔ ÔÅËÓÔÁ ÄÌÑ ÐÉËÔÏÇÒÁÍÍ
|
||||
choose directory to move selected folders and files to. tinymce ru ÷ÙÂÅÒÉÔÅ ËÁÔÁÌÏÇ, × ËÏÔÏÒÙÊ ÎÁÄÏ ÐÅÒÅÍÅÓÔÉÔØ ×ÙÄÅÌÅÎÎÙÅ ÐÁÐËÉ É ÆÁÊÌÙ.
|
||||
choose list style type (for ordered lists) htmlarea-ListType ru ÷ÙÂÅÒÉÔÅ ÓÔÉÌØ ÓÐÉÓËÁ (ÄÌÑ ÓÏÒÔÉÒÏ×ÁÎÎÙÈ ÓÐÉÓËÏ×)
|
||||
choose the category common ru ÷ÙÂÅÒÉÔÅ ËÁÔÅÇÏÒÉÀ
|
||||
choose the parent category common ru ÷ÙÂÅÒÉÔÅ ÒÏÄÉÔÅÌØÓËÕÀ ËÁÔÅÇÏÒÉÀ
|
||||
christmas island common ru ï-× òÏÖÄÅÓÔ×Á
|
||||
class tinymce ru ëÌÁÓÓ
|
||||
cleanup messy code tinymce ru ïÞÉÓÔËÁ ËÏÄÁ
|
||||
clear common ru ïÞÉÓÔÉÔØ
|
||||
clear form common ru ïÞÉÓÔÉÔØ æÏÒÍÕ
|
||||
click common ru ýÅÌËÎÕÔØ
|
||||
@ -178,20 +162,15 @@ cocos (keeling) islands common ru
|
||||
collapsed borders htmlarea-TableOperations ru ó×ÅÒÎÕÔÙÅ ÇÒÁÎÉÃÙ
|
||||
colombia common ru ëÏÌÕÍÂÉÑ
|
||||
color htmlarea-TableOperations ru ã×ÅÔ
|
||||
columns tinymce ru óÔÏÌÂÃÙ
|
||||
comment tinymce ru ëÏÍÍÅÎÔÁÒÉÊ
|
||||
common preferences common ru ïÂÝÉÅ ÐÒÅÄÐÏÞÔÅÎÉÑ
|
||||
comoros common ru ëÏÍÏÒÓËÉÅ ï-×Á
|
||||
company common ru ïÒÇÁÎÉÚÁÃÉÑ
|
||||
configuration problem tinymce ru ðÒÏÂÌÅÍÙ ËÏÎÆÉÇÕÒÁÃÉÉ
|
||||
congo common ru ëÏÎÇÏ
|
||||
congo, the democratic republic of the common ru äÅÍÏËÒÁÔÉÞÅÓËÁÑ Ò-ËÁ ëÏÎÇÏ
|
||||
contacting server... common ru óÏÅÄÉÎÅÎÉÅ Ó óÅÒ×ÅÒÏÍ...
|
||||
cook islands common ru ï-×Á ëÕËÁ
|
||||
copy common ru ëÏÐÉÒÏ×ÁÔØ
|
||||
copy selection htmlarea ru ëÏÐÉÒÏ×ÁÔØ ×ÙÂÒÁÎÎÏÅ
|
||||
copy table row tinymce ru ëÏÐÉÒÏ×ÁÔØ ÓÔÒÏËÕ ÔÁÂÌÉÃÙ
|
||||
copy/cut/paste is not available in mozilla and firefox.\ndo you want more information about this issue? tinymce ru ëÏÐÉÒÏ×ÁÔØ/÷ÙÒÅÚÁÔØ/÷ÓÔÁ×ÉÔØ ÎÅÄÏÓÔÕÐÎÏ × Mozilla É Firefox.\nèÏÔÉÔÅ ÐÏÌÕÞÉÔØ ÂÏÌØÛÅ ÉÎÆÏÒÍÁÃÉÀ ÐÏ ÜÔÏÍÕ ×ÏÐÒÏÓÕ?
|
||||
costa rica common ru ëÏÓÔÁ-òÉËÁ
|
||||
cote d ivoire common ru ëÏÔ'Ä'é×ÕÁÒ
|
||||
could not contact server. operation timed out! common ru îÅ×ÏÚÍÏÖÎÏ ÓÏÅÄÉÎÉÔØÓÑ Ó ÓÅÒ×ÅÒÏÍ. ðÒÅÒ×ÁÎÏ ÐÏ ÔÁÊÍÁÕÔÕ!
|
||||
@ -207,19 +186,16 @@ current url is htmlarea-ContextMenu ru
|
||||
current users common ru ôÅËÕÝÉÅ ÐÏÌØÚÏ×ÁÔÅÌÉ
|
||||
cut htmlarea-ContextMenu ru ÷ÙÒÅÚÁÔØ
|
||||
cut selection htmlarea ru ÷ÙÒÅÚÁÔØ ×ÙÂÒÁÎÎÏÅ
|
||||
cut table row tinymce ru ÷ÙÒÅÚÁÔØ ÓÔÒÏËÕ ÔÁÂÌÉÃÙ
|
||||
cyprus common ru ëÉÐÒ
|
||||
czech republic common ru þÅÈÉÑ
|
||||
date common ru äÁÔÁ
|
||||
date due common ru äÁÔÁ ÄÏ
|
||||
date modified tinymce ru äÁÔÁ ÉÚÍÅÎÅÎÉÑ
|
||||
date selection: jscalendar ru ÷ÙÂÏÒ ÄÁÔÙ:
|
||||
datetime port.<br>if using port 13, please set firewall rules appropriately before submitting this page.<br>(port: 13 / host: 129.6.15.28) admin ru ðÏÒÔ ÐÒÏÔÏËÏÌÁ ÔÏÞÎÏÇÏ ×ÒÅÍÅÎÉ (ntp).<br>åÓÌÉ ÉÓÐÏÌØÚÕÅÔÓÑ ÐÏÒÔ 13, ÐÏÖÁÌÕÊÓÔÁ ÕÓÔÁÎÏ×ÉÔÅ ÐÒÁ×ÉÌÁ ÂÒÅÎÄÍÁÕÜÒÁ ÐÅÒÅÄ ÚÁÐÕÓËÏÍ ÜÔÏÊ ÓÔÒÁÎÉÃÙ.<br>(Port: 13 / Host: 129.6.15.28)
|
||||
de_lete column htmlarea-ContextMenu ru õÄÁÌÉÔØ ÓÔÏÌÂÅÃ
|
||||
december common ru äÅËÁÂÒØ
|
||||
decimal numbers htmlarea-ListType ru äÅÓÑÔÉÞÎÙÅ ÞÉÓÌÁ
|
||||
decrease indent htmlarea ru õÍÅÎØÛÉÔØ ÏÔÓÔÕÐ
|
||||
default tinymce ru ðÏ ÕÍÏÌÞÁÎÉÀ
|
||||
default category common ru ëÁÔÅÇÏÒÉÑ ÐÏ ÕÍÏÌÞÁÎÉÀ
|
||||
default height for the windows common ru ÷ÙÓÏÔÁ ÏËÎÁ ÐÏ ÕÍÏÌÞÁÎÉÀ
|
||||
default width for the windows common ru ûÉÒÉÎÁ ÏËÎÁ ÐÏ ÕÍÏÌÞÁÎÉÀ
|
||||
@ -235,10 +211,7 @@ detail common ru
|
||||
details common ru ðÏÄÒÏÂÎÏÓÔÉ
|
||||
diable the execution a bugfixscript for internet explorer 5.5 and higher to show transparency in png-images? common ru ïÔËÌÀÞÉÔØ ÏÂÒÁÂÏÔËÕ ÏÛÉÂÏË ÄÌÑ Internet Explorer ×ÅÒÓÉÉ 5.5 É ×ÙÛÅ ÄÌÑ ÐÏËÁÚÁ ÐÒÏÚÒÁÞÎÏÓÔÉ × PNG-ËÁÒÔÉÎËÁÈ?
|
||||
dictionary htmlarea-SpellChecker ru óÌÏ×ÁÒØ
|
||||
direction tinymce ru îÁÐÒÁ×ÌÅÎÉÅ
|
||||
direction left to right common ru îÁÐÒÁ×ÌÅÎÉÅ ÓÌÅ×Á ÎÁÐÒÁ×Ï
|
||||
direction right to left tinymce ru îÁÐÒÁ×ÌÅÎÉÅ ÓÐÒÁ×Á ÎÁÌÅ×Ï
|
||||
directory tinymce ru ëÁÔÁÌÏÇ
|
||||
disable internet explorer png-image-bugfix common ru ïÔËÌÀÞÉÔØ ÏÂÒÁÂÏÔËÕ ÏÛÉÂÏË png ÄÌÑ Internet Explorer
|
||||
disable slider effects common ru ïÔËÌÀÞÉÔØ ÜÆÆÅËÔÙ ×ÙÐÏÌÚÁÎÉÑ
|
||||
disable the animated slider effects when showing or hiding menus in the page? opera and konqueror users will probably must want this. common ru ïÔËÌÀÞÉÔØ ÜÆÆÅËÔÙ ÁÎÉÍÁÃÉÉ ×ÙÐÁÄÁÀÝÉÈ ÍÅÎÀ ÎÁ ÓÔÒÁÎÉÃÅ? ðÏÌØÚÏ×ÁÔÅÌÉ Opera É Konqueror ×ÏÚÍÏÖÎÏ ÚÁÈÏÔÑÔ ÜÔÏ ÓÄÅÌÁÔØ.
|
||||
@ -247,7 +220,6 @@ disabled common ru
|
||||
display %s first jscalendar ru ÷ÎÁÞÁÌÅ ÏÔÏÂÒÁÖÁÔØ %s
|
||||
djibouti common ru äÖÉÂÕÔÉ
|
||||
do you also want to delete all subcategories ? common ru èÏÔÉÔÅ ÕÄÁÌÉÔØ ÔÁËÖÅ É ×ÓÅ ÐÏÄËÁÔÅÇÏÒÉÉ?
|
||||
do you want to use the wysiwyg mode for this textarea? tinymce ru èÏÔÉÔÅ ÌÉ ÷Ù ÉÓÐÏÌØÚÏ×ÁÔØ ÒÅÖÉÍ WYSIWYG ÄÌÑ ÏÂÌÁÓÔÉ ÔÅËÓÔÁ?
|
||||
doctype: common ru ôÉÐ ÄÏËÕÍÅÎÔÁ:
|
||||
document properties common ru ó×ÏÊÓÔ×Á ÄÏËÕÍÅÎÔÁ
|
||||
document title: common ru úÁÇÏÌÏ×ÏË ÄÏËÕÍÅÎÔÁ:
|
||||
@ -257,7 +229,6 @@ domestic common ru
|
||||
dominica common ru äÏÍÉÎÉËÁ
|
||||
dominican republic common ru äÏÍÉÎÉËÁÎÓËÁÑ ÒÅÓÐÕÂÌÉËÁ
|
||||
done common ru çÏÔÏ×Ï
|
||||
down tinymce ru ÷ÎÉÚ
|
||||
drag to move jscalendar ru ðÅÒÅÔÁÝÉÔÅ
|
||||
e-mail common ru E-mail
|
||||
east timor common ru ÷ÏÓÔÏÞÎÙÊ ôÉÍÏÒ
|
||||
@ -273,7 +244,6 @@ el salvador common ru
|
||||
element... htmlarea-ContextMenu ru üÌÅÍÅÎÔ...
|
||||
email common ru E-Mail
|
||||
email-address of the user, eg. "%1" common ru ðÏÞÔÏ×ÙÊ ÁÄÒÅÓ ÄÌÑ ÐÏÌØÚÏ×ÁÔÅÌÑ, ÎÁÐÒ. "%1"
|
||||
emotions tinymce ru üÍÏÃÉÉ
|
||||
en common ru en
|
||||
enabled common ru ÷ËÌÀÞÅÎÏ
|
||||
end date common ru äÁÔÁ ÏËÏÎÞÁÎÉÑ
|
||||
@ -299,22 +269,8 @@ february common ru
|
||||
fg color htmlarea-TableOperations ru ã×ÅÔ ÐÅÒÅÄÎÅÇÏ ÐÌÁÎÁ
|
||||
fields common ru ðÏÌÑ
|
||||
fiji common ru æÉÄÖÉ
|
||||
file already exists. file was not uploaded. tinymce ru æÁÊÌ ÕÖÅ ÓÕÝÅÓÔ×ÕÅÔ. æÁÊÌ ÎÅ ÂÙÌ ×ÙÇÒÕÖÅÎ.
|
||||
file exceeds the size limit tinymce ru ðÒÅ×ÙÛÅÎ ÐÒÅÄÅÌØÎÙÊ ÒÁÚÍÅÒ ÆÁÊÌÁ
|
||||
file manager tinymce ru íÅÎÅÄÖÅÒ ÆÁÊÌÏ×
|
||||
file not found. tinymce ru æÁÊÌ ÎÅ ÎÁÊÄÅÎ.
|
||||
file was not uploaded. tinymce ru æÁÊÌ ÎÅ ÂÙÌ ×ÙÇÒÕÖÅÎ.
|
||||
file with specified new name already exists. file was not renamed/moved. tinymce ru æÁÊÌ Ó ÕËÁÚÁÎÎÙÍ ÉÍÅÎÅÍ ÕÖÅ ÓÕÝÅÓÔ×ÕÅÔ. æÁÊÌ ÎÅ ÂÕÄÅÔ ÐÅÒÅÉÍÅÎÏ×ÁÎ / ÐÅÒÅÍÅÝÅÎ.
|
||||
file(s) tinymce ru ÆÁÊÌ(Ù)
|
||||
file: tinymce ru æÁÊÌ:
|
||||
files common ru æÁÊÌÙ
|
||||
files with this extension are not allowed. tinymce ru æÁÊÌÙ Ó ÔÁËÉÍ ÒÁÓÛÉÒÅÎÉÅÍ ÎÅ ÒÁÚÒÅÛÅÎÙ.
|
||||
filter common ru æÉÌØÔÒ
|
||||
find tinymce ru îÁÊÔÉ
|
||||
find again tinymce ru ðÏ×ÔÏÒÉÔØ ÐÏÉÓË
|
||||
find what tinymce ru þÔÏ ÉÝÅÍ
|
||||
find next tinymce ru éÓËÁÔØ ÄÁÌÅÅ
|
||||
find/replace tinymce ru îÁÊÔÉ / ÚÁÍÅÎÉÔØ
|
||||
finished list of mispelled words htmlarea-SpellChecker ru óÐÉÓÏË ÚÁËÏÎÞÅÎ
|
||||
finland common ru æÉÎÌÑÎÄÉÑ
|
||||
first name common ru éÍÑ
|
||||
@ -322,19 +278,9 @@ first name of the user, eg. "%1" common ru
|
||||
first page common ru ðÅÒ×ÁÑ ÓÔÒÁÎÉÃÁ
|
||||
firstname common ru éÍÑ
|
||||
fixme! common ru éÓÐÒÁ×ÉÔØ!
|
||||
flash files tinymce ru Flash ÆÁÊÌÙ
|
||||
flash properties tinymce ru ó×ÏÊÓÔ×Á Flash
|
||||
flash-file (.swf) tinymce ru æÁÊÌ Flash (.swf)
|
||||
float htmlarea-TableOperations ru ðÌÁ×ÁÀÝÉÊ
|
||||
folder tinymce ru ëÁÔÁÌÏÇ
|
||||
folder already exists. common ru ëÁÔÁÌÏÇ ÕÖÅ ÓÕÝÅÓÔ×ÕÅÔ.
|
||||
folder name missing. tinymce ru ïÔÓÕÔÓÔ×ÕÅÔ ÉÍÑ ËÁÔÁÌÏÇÁ.
|
||||
folder not found. tinymce ru ëÁÔÁÌÏÇ ÎÅ ÎÁÊÄÅÎ.
|
||||
folder with specified new name already exists. folder was not renamed/moved. tinymce ru ëÁÔÁÌÏÇ Ó ÕËÁÚÁÎÎÙÍ ÉÍÅÎÅÍ ÕÖÅ ÓÕÝÅÓÔ×ÕÅÔ. ëÁÔÁÌÏÇ ÎÅ ÂÕÄÅÔ ÐÅÒÅÉÍÅÎÏ×ÁÎ / ÐÅÒÅÍÅÝÅÎ.
|
||||
folder(s) tinymce ru ëÁÔÁÌÏÇ(É)
|
||||
font color htmlarea ru ã×ÅÔ ÛÒÉÆÔÁ
|
||||
for mouse out tinymce ru ÄÌÑ ÎÅ ÎÁ×ÅÄÅÎÏÇÏ ËÕÒÓÏÒÁ
|
||||
for mouse over tinymce ru ÄÌÑ ÎÁ×ÅÄÅÎÏÇÏ ËÕÒÓÏÒÁ
|
||||
force selectbox common ru ðÒÉÎÕÄÉÔÅÌØÎÏ óÐÉÓÏË ×ÙÂÏÒÁ
|
||||
frames htmlarea-TableOperations ru òÁÍËÉ
|
||||
france common ru æÒÁÎÃÉÑ
|
||||
@ -406,18 +352,12 @@ if the clock is enabled would you like it to update it every second or every min
|
||||
if there are some images in the background folder you can choose the one you would like to see. common ru åÓÌÉ × ÐÁÐËÅ ÉÍÅÀÔÓÑ ÉÚÏÂÒÁÖÅÎÉÑ, ÷Ù ÍÏÖÅÔÅ ×ÙÂÒÁÔØ ÎÕÖÎÏÅ ÄÌÑ ÐÒÏÓÍÏÔÒÁ
|
||||
ignore htmlarea-SpellChecker ru éÇÎÏÒÉÒÏ×ÁÔØ
|
||||
ignore all htmlarea-SpellChecker ru éÇÎÏÒÉÒÏ×ÁÔØ ×ÓÅ
|
||||
image description tinymce ru ïÐÉÓÁÎÉÅ ÉÚÏÂÒÁÖÅÎÉÑ
|
||||
image title tinymce ru úÁÇÏÌÏ×ÏË ÉÚÏÂÒÁÖÅÎÉÑ
|
||||
image url common ru óÓÙÌËÁ ÎÁ ÉÚÏÂÒÁÖÅÎÉÅ
|
||||
in_sert row after htmlarea-ContextMenu ru ÷ÓÔÁ×ÉÔØ ÓÔÒÏËÕ ÐÏÓÌÅ
|
||||
increase indent htmlarea ru õ×ÅÌÉÞÉÔØ ÏÔÓÔÕÐ
|
||||
indent tinymce ru ïÔÓÔÕÐ
|
||||
india common ru éÎÄÉÑ
|
||||
indonesia common ru éÎÄÏÎÅÚÉÑ
|
||||
insert tinymce ru ÷ÓÔÁ×ÉÔØ
|
||||
insert 'return false' common ru ×ÓÔÁ×ÉÔØ 'return false'
|
||||
insert / edit flash movie tinymce ru ÷ÓÔÁ×ÉÉÔØ / ÒÅÄÁËÔÉÒÏ×ÁÔØ Flash Movie
|
||||
insert / edit horizontale rule tinymce ru ÷ÓÔÁ×ÉÔØ / ÒÅÄÁËÔÉÒÏ×ÁÔØ ÇÏÒÉÚÏÎÔÁÌØÎÕÀ ÌÉÎÉÀ
|
||||
insert _column before htmlarea-ContextMenu ru ÷ÓÔÁ×ÉÔØ ÓÔÏÌÂÅà ÐÅÒÅÄ
|
||||
insert a new column after the current one htmlarea-ContextMenu ru ÷ÓÔÁ×ÉÔØ ÎÏ×ÙÊ ÓÔÏÌÂÅà ÐÏÓÌÅ ÔÅËÕÝÅÇÏ
|
||||
insert a new column before the current one htmlarea-ContextMenu ru ÷ÓÔÁ×ÉÔØ ÎÏ×ÙÊ ÓÔÏÌÂÅà ÐÅÒÅÄ ÔÅËÕÝÉÍ
|
||||
@ -429,20 +369,11 @@ insert cell after htmlarea-TableOperations ru
|
||||
insert cell before htmlarea-TableOperations ru ÷ÓÔÁ×ÉÔØ ÑÞÅÊËÕ ÐÅÒÅÄ
|
||||
insert column after common ru ÷ÓÔÁ×ÉÔØ ÓÔÏÌÂÅà ÐÏÓÌÅ
|
||||
insert column before common ru ÷ÓÔÁ×ÉÔØ ÓÔÏÌÂÅà ÐÅÒÅÄ
|
||||
insert date tinymce ru ÷ÓÔÁ×ÉÔØ ÄÁÔÕ
|
||||
insert emotion tinymce ru ÷ÓÔÁ×ÉÔØ ÜÍÏÃÉÀ
|
||||
insert file tinymce ru ÷ÓÔÁ×ÉÔØ æÁÊÌ
|
||||
insert image htmlarea ru ÷ÓÔÁ×ÉÔØ òÉÓÕÎÏË
|
||||
insert link to file tinymce ru ÷ÓÔÁ×ÉÔØ ÓÓÙÌËÕ ÎÁ ÆÁÊÌ
|
||||
insert row after common ru ÷ÓÔÁ×ÉÔØ ÓÔÒÏËÕ ÐÏÓÌÅ
|
||||
insert row before common ru ÷ÓÔÁ×ÉÔØ ÓÔÒÏËÕ ÐÅÒÅÄ
|
||||
insert table htmlarea ru ÷ÓÔÁ×ÉÔØ ôÁÂÌÉÃÕ
|
||||
insert time tinymce ru ÷ÓÔÁ×ÉÔØ ×ÒÅÍÑ
|
||||
insert web link htmlarea ru ÷ÓÔÁ×ÉÔØ WEB-ÓÓÙÌËÕ
|
||||
insert/edit image tinymce ru ÷ÓÔÁ×ÉÔØ/ÉÚÍÅÎÉÔØ ÉÚÏÂÒÁÖÅÎÉÅ
|
||||
insert/edit link tinymce ru ÷ÓÔÁ×ÉÔØ/ÉÚÍÅÎÉÔØ ÓÓÙÌËÕ
|
||||
insert/modify table tinymce ru ÷ÓÔÁ×ÉÔØ/ÉÚÍÅÎÉÔØ ÔÁÂÌÉÃÕ
|
||||
inserts a new table tinymce ru ÷ÓÔÁ×ÉÔØ ÎÏ×ÕÀ ÔÁÂÌÉÃÕ
|
||||
international common ru íÅÖÄÕÎÁÒÏÄÎÙÊ
|
||||
invalid filename common ru îÅÐÒÁ×ÉÌØÎÏÅ ÉÍÑ ÆÁÊÌÁ
|
||||
invalid ip address common ru îÅÐÒÁ×ÉÌØÎÙÊ IP-ÁÄÒÅÓ
|
||||
@ -460,7 +391,6 @@ jamaica common ru
|
||||
january common ru ñÎ×ÁÒØ
|
||||
japan common ru ñÐÏÎÉÑ
|
||||
jordan common ru éÏÒÄÁÎÉÑ
|
||||
js-popup tinymce ru JS-Popup
|
||||
july common ru éÀÌØ
|
||||
jun common ru þÏÎ (ËÏÒÅÑ)
|
||||
june common ru éÀÎØ
|
||||
@ -470,7 +400,6 @@ justify full common ru
|
||||
justify left common ru ÷ÙÒÏ×ÎÑÔØ ÐÏ ÌÅ×ÏÍÕ ËÒÁÀ
|
||||
justify right common ru ÷ÙÒÏ×ÎÑÔØ ÐÏ ÐÒÁ×ÏÍÕ ËÒÁÀ
|
||||
kazakstan common ru ëÁÚÁÈÓÔÁÎ
|
||||
keep linebreaks tinymce ru óÏÈÒÁÎÑÔØ ÐÅÒÅÎÏÓ ÔÅËÓÔÁ
|
||||
kenya common ru ëÅÎÉÑ
|
||||
keywords common ru ëÌÀÞÅ×ÙÅ ÓÌÏ×Á
|
||||
kiribati common ru ëÉÒÉÂÁÔÉ
|
||||
@ -497,11 +426,9 @@ license common ru
|
||||
liechtenstein common ru ìÉÈÔÅÎÛÔÅÊÎ
|
||||
line %1: '%2'<br><b>csv data does not match column-count of table %3 ==> ignored</b> common ru óÔÒÏËÁ %1: '%2'<br><b>ÄÁÎÎÙÈ CSV ÎÅ ÓÏÏÔ×ÅÔÓÔ×ÕÅÔ ËÏÌÉÞÅÓÔ×Õ ÓÔÏÌÂÃÏ× ÔÁÂÌÉÃÙ %3 ==> ÉÇÎÏÒÉÒÕÅÔÓÑ</b>
|
||||
link points to: htmlarea-ContextMenu ru óÓÙÌËÁ ÎÁ:
|
||||
link url tinymce ru óÓÙÌËÁ
|
||||
list common ru óÐÉÓÏË
|
||||
list members common ru óÐÉÓÏË ÕÞÁÓÔÎÉËÏ×
|
||||
lithuania common ru ìÉÔ×Á
|
||||
loading files tinymce ru úÁÇÒÕÚËÁ ÆÁÊÌÏ×
|
||||
local common ru ìÏËÁÌØÎÙÊ
|
||||
login common ru ÷ÈÏÄ
|
||||
loginid common ru LoginID
|
||||
@ -520,7 +447,6 @@ main category common ru
|
||||
main screen common ru çÌÁ×ÎÙÊ ÜËÒÁÎ
|
||||
maintainer common ru ïÔ×ÅÔÓÔ×ÅÎÎÙÊ
|
||||
make lin_k... htmlarea-ContextMenu ru óÄÅÌÁÔØ ÓÓÙÌËÕ
|
||||
make window resizable tinymce ru óÄÅÌÁÔØ ÏËÎÏ Ó ÉÚÍÅÎÑÅÍÙÍ ÒÁÚÍÅÒÏÍ
|
||||
malawi common ru íÁÌÁ×É
|
||||
malaysia common ru íÁÌÁÚÉÑ
|
||||
maldives common ru íÁÌØÄÉ×ÓËÉÅ Ï-×Á
|
||||
@ -530,7 +456,6 @@ march common ru
|
||||
margin htmlarea-TableOperations ru ðÏÌÅ
|
||||
marshall islands common ru íÁÒÛÁÌÌÏ×Ù Ï-×Á
|
||||
martinique common ru íÁÒÔÉÎÉËÁ
|
||||
match case tinymce ru òÅÇÉÓÔÒ ÓÏ×ÐÁÄÁÅÔ
|
||||
mauritania common ru íÁ×ÒÉÔÁÎÉÑ
|
||||
mauritius common ru íÁ×ÒÉËÉÊ
|
||||
max number of icons in navbar common ru íÁËÓ. ËÏÌÉÞÅÓÔ×Ï ÐÉËÔÏÇÒÁÍÍ × ÐÁÎÅÌÉ ÎÁ×ÉÇÁÃÉÉ
|
||||
@ -539,13 +464,11 @@ mayotte common ru
|
||||
medium common ru óÒÅÄÎÉÊ
|
||||
menu common ru íÅÎÀ
|
||||
merge cells htmlarea-TableOperations ru óÌÉÑÎÉÅ ÑÞÅÅË
|
||||
merge table cells tinymce ru óÌÉÑÎÉÅ ÑÞÅÅË ÔÁÂÌÉÃÙ
|
||||
message common ru óÏÏÂÝÅÎÉÅ
|
||||
mexico common ru íÅËÓÉËÁ
|
||||
micronesia, federated states of common ru íÉËÒÏÎÅÚÉÑ
|
||||
middle htmlarea-TableOperations ru óÒÅÄÎÉÊ
|
||||
minute common ru ÍÉÎÕÔÁ
|
||||
mkdir failed. tinymce ru ïÛÉÂËÁ ÓÏÚÄÁÎÉÑ ËÁÔÁÌÏÇÁ
|
||||
modify url htmlarea-ContextMenu ru éÚÍÅÎÉÔØ ÓÓÙÌËÕ
|
||||
moldova, republic of common ru òÅÓÐÕÂÌÉËÁ íÏÌÄÏ×Á
|
||||
monaco common ru íÏÎÁËÏ
|
||||
@ -553,7 +476,6 @@ monday common ru
|
||||
mongolia common ru íÏÎÇÏÌÉÑ
|
||||
montserrat common ru íÏÎÔÓÅÒÒÁÔ
|
||||
morocco common ru íÁÒÏËËÏ
|
||||
move tinymce ru ðÅÒÅÍÅÓÔÉÔØ
|
||||
mozambique common ru íÏÚÁÍÂÉË
|
||||
multiple common ru ÕÍÎÏÖØÔÅ
|
||||
myanmar common ru íØÑÎÍÁ
|
||||
@ -567,11 +489,6 @@ netherlands antilles common ru
|
||||
never common ru îÉËÏÇÄÁ
|
||||
new caledonia common ru îÏ×ÁÑ ëÁÌÅÄÏÎÉÑ
|
||||
new entry added sucessfully common ru îÏ×ÁÑ ÚÁÐÉÓØ ÕÓÐÅÛÎÏ ÄÏÂÁ×ÌÅÎÁ
|
||||
new file name missing! tinymce ru ïÔÓÕÔÓÔ×ÅÔ ÎÏ×ÏÅ ÉÍÑ ÆÁÊÌÁ!
|
||||
new file name: tinymce ru îÏ×ÏÅ ÉÍÑ ÆÁÊÌÁ:
|
||||
new folder tinymce ru îÏ×ÁÑ ÐÁÐËÁ
|
||||
new folder name missing! tinymce ru ÏÔÓÕÔÓÔ×ÕÅÔ ÎÏ×ÏÅ ÉÍÑ ÐÁÐËÉ!
|
||||
new folder name: tinymce ru îÏ×ÏÅ ÉÍÑ ÐÁÐËÉ:
|
||||
new main category common ru îÏ×ÁÑ ÏÓÎÏ×ÎÁÑ ËÁÔÅÇÏÒÉÑ
|
||||
new value common ru îÏ×ÏÅ úÎÁÞÅÎÉÅ
|
||||
new zealand common ru îÏ×ÁÑ úÅÌÁÎÄÉÑ
|
||||
@ -585,17 +502,10 @@ nigeria common ru
|
||||
niue common ru îÉÕÜ
|
||||
no common ru îÅÔ
|
||||
no entries found, try again ... common ru ÚÁÐÉÓÅÊ ÎÅ ÎÁÊÄÅÎÏ, ÐÏÐÒÏÂÕÊÔÅ ÅÝÅ ...
|
||||
no files... tinymce ru îÅÔ ÆÁÊÌÏ×...
|
||||
no history for this record common ru îÅÔ ÉÓÔÏÒÉÉ ÄÌÑ ÜÔÏÊ ÚÁÐÉÓÉ
|
||||
no mispelled words found with the selected dictionary. htmlarea-SpellChecker ru ÓÌÏ×Á ÎÅ ÎÁÊÄÅÍÙ × ×ÙÂÒÁÎÎÏÍ ÓÌÏ×ÁÒÅ
|
||||
no permission to create folder. tinymce ru îÅÔ ÐÒÁ× ÄÌÑ ÓÏÚÄÁÎÉÑ ÐÁÐËÉ.
|
||||
no permission to delete file. tinymce ru îÅÔ ÐÒÁ× ÄÌÑ ÕÄÁÌÅÎÉÑ ÆÁÊÌÁ.
|
||||
no permission to move files and folders. tinymce ru îÅÔ ÐÒÁ× ÄÌÑ ÐÅÒÅÍÅÝÅÎÉÑ ÆÁÊÌÏ× ÉÌÉ ÐÁÐÏË.
|
||||
no permission to rename files and folders. tinymce ru îÅÔ ÐÒÁ× ÄÌÑ ÐÅÒÅÉÍÅÎÏ×ÁÎÉÑ ÆÁÊÌÏ× ÉÌÉ ÐÁÐÏË.
|
||||
no permission to upload. tinymce ru îÅÔ ÐÒÁ× ÄÌÑ ×ÙÇÒÕÚËÉ.
|
||||
no rules htmlarea-TableOperations ru îÅÔ ÐÒÁ×ÉÌ
|
||||
no savant2 template directories were found in: common ru ëÁÔÁÌÏÇ Ó ÛÁÂÌÏÎÁÍÉ Savant2 ÎÅ ÎÁÊÄÅÎ ×:
|
||||
no shadow tinymce ru âÅÚ ÔÅÎÉ
|
||||
no sides htmlarea-TableOperations ru îÅÔ ÓÔÏÒÏÎ
|
||||
no subject common ru îÅÔ ÔÅÍÙ
|
||||
none common ru îÉÞÅÇÏ
|
||||
@ -615,17 +525,8 @@ old value common ru
|
||||
oman common ru ïÍÁÎ
|
||||
on *nix systems please type: %1 common ru ÷ xNIX-ÓÉÓÔÅÍÁÈ ÐÏÖÁÌÕÊÓÔÁ ÎÁÂÅÒÉÔÅ %1
|
||||
on mouse over common ru ðÒÉ ÎÁ×ÅÄÅÎÎÏÍ ËÕÒÓÏÒÅ
|
||||
only files with extensions are permited, e.g. "imagefile.jpg". tinymce ru òÁÚÒÅÛÁÀÔÓÑ ÔÏÌØËÏ ÆÁÊÌÙ Ó ÒÁÓÛÉÒÅÎÉÑÍÉ, ÎÁÐÒÉÍÅÒ "imagefile.jpg".
|
||||
only private common ru ÔÏÌØËÏ ÌÉÞÎÙÅ
|
||||
only yours common ru ÔÏÌØËÏ ÷ÁÛÉ
|
||||
open file in new window tinymce ru ïÔËÒÙÔØ ÆÁÊÌ × ÎÏ×ÏÍ ÏËÎÅ
|
||||
open in new window tinymce ru ïÔËÒÙÔØ × ÎÏ×ÏÍ ÏËÎÅ
|
||||
open in parent window / frame tinymce ru ïÔËÒÙÔØ × ÒÏÄÉÔÅÌØÓËÏÍ ÏËÎÅ / ÒÁÍËÅ
|
||||
open in the window tinymce ru ïÔËÒÙÔØ × ÏËÎÅ
|
||||
open in this window / frame tinymce ru ïÔËÒÙÔØ × ÜÔÏÍ ÏËÎÅ / ÒÁÍËÅ
|
||||
open in top frame (replaces all frames) tinymce ru ïÔËÒÙÔØ × ÇÌÁ×ÎÏÊ ÒÁÍËÅ (ÚÁÍÅÎÑÅÔ ×ÓÅ ÒÁÍËÉ)
|
||||
open link in a new window tinymce ru ïÔËÒÙÔØ ÓÓÙÌËÕ × ÎÏ×ÏÍ ÏËÎÅ
|
||||
open link in the same window tinymce ru ïÔËÒÙÔØ ÓÓÙÌËÕ × ÔÏÍ ÖÅ ÏËÎÅ
|
||||
open notify window common ru ïÔËÒÙÔØ ÏËÎÏ ÉÚ×ÅÝÅÎÉÑ
|
||||
open popup window common ru ïÔËÒÙÔØ ×ÓÐÌÙ×ÁÀÝÅÅ ÏËÎÏ
|
||||
open sidebox common ru ïÔËÒÙÔØ ÂÏËÏ×ÏÅ ÍÅÎÀ
|
||||
@ -634,7 +535,6 @@ ordered list common ru
|
||||
original common ru ïÒÉÇÉÎÁÌ
|
||||
original word htmlarea-SpellChecker ru éÓÈÏÄÎÙÊ ×ÁÒÉÁÎÔ
|
||||
other common ru äÒÕÇÉÅ
|
||||
outdent tinymce ru õÍÅÎØÛÉÔØ ÏÔÓÔÕÐ
|
||||
overview common ru ðÒÏÓÍÏÔÒ
|
||||
owner common ru ÷ÌÁÄÅÌÅÃ
|
||||
padding htmlarea-TableOperations ru îÁÂÉ×ËÁ
|
||||
@ -657,13 +557,8 @@ password must contain at least %1 special charactars common ru
|
||||
password must contain at least %1 uppercase letters common ru ðÁÒÏÌØ ÄÏÌÖÅÎ ÓÏÄÅÒÖÁÔØ ÎÅ ÍÅÎÅÅ %1 ÐÒÏÐÉÓÎÙÈ ÂÕË×
|
||||
password must have at least %1 characters common ru ðÁÒÏÌØ ÄÏÌÖÅÎ ÉÍÅÔØ ÎÅ ÍÅÎÅÅ %1 ÓÉÍ×ÏÌÏ×
|
||||
paste htmlarea-ContextMenu ru ÷ÓÔÁ×ÉÔØ
|
||||
paste as plain text tinymce ru ÷ÓÔÁ×ÉÔØ ËÁË ASCII-ÔÅËÓÔ
|
||||
paste from clipboard htmlarea ru ÷ÓÔÁ×ÉÔØ ÉÚ ÂÕÆÅÒÁ ÏÂÍÅÎÁ
|
||||
paste from word tinymce ru ÷ÓÔÁ×ÉÔØ ÉÚ Word
|
||||
paste table row after tinymce ru ÷ÓÔÁ×ÉÔØ ÓÔÒÏËÕ ÔÁÂÌÉÃÙ ÐÏÓÌÅ
|
||||
paste table row before tinymce ru ÷ÓÔÁ×ÉÔØ ÓÔÒÏËÕ ÔÁÂÌÉÃÙ ÐÅÒÅÄ
|
||||
path htmlarea ru ðÕÔØ
|
||||
path not found. tinymce ru ðÕÔØ ÎÅ ÎÁÊÄÅÎ.
|
||||
path to user and group files has to be outside of the webservers document-root!!! common ru ðÕÔØ Ë ÆÁÊÌÁÍ ÐÏÌØÚÏ×ÁÔÅÌÑ É ÇÒÕÐÐÙ äïìöåî îáèïäéôøóñ ÷îå ÇÌÁ×ÎÏÇÏ ËÁÔÁÌÏÇÁ ÷ÅÂ-ÓÅÒ×ÅÒÁ (document-root)!!!
|
||||
pattern for search in addressbook common ru íÁÓËÁ ÄÌÑ ÐÏÉÓËÁ × ÁÄÒÅÓÎÏÊ ËÎÉÇÅ
|
||||
pattern for search in calendar common ru íÁÓËÁ ÄÌÑ ÐÏÉÓËÁ × ëÁÌÅÎÄÁÒÅ
|
||||
@ -683,8 +578,6 @@ please confirm that you want to open this link htmlarea-SpellChecker ru
|
||||
please confirm that you want to remove this element: htmlarea-ContextMenu ru ðÏÖÁÌÕÊÓÔÁ ÐÏÄÔ×ÅÒÄÉÔÅ, ÞÔÏ ÷Ù ÈÏÔÉÔÅ ÕÄÁÌÉÔØ ÜÔÏÔ ÜÌÅÍÅÎÔ:
|
||||
please confirm that you want to unlink this element. htmlarea-ContextMenu ru ðÏÖÁÌÕÊÓÔÁ ÐÏÄÔ×ÅÒÄÉÔÅ, ÞÔÏ ÷Ù ÈÏÔÉÔÅ ÒÁÓÃÅÐÉÔØ ÜÔÏÔ ÜÌÅÍÅÎÔ.
|
||||
please enter a name common ru ðÏÖÁÌÕÊÓÔÁ ××ÅÄÉÔÅ ÉÍÑ !
|
||||
please enter the caption text tinymce ru ðÏÖÁÌÕÊÓÔÁ, ××ÅÄÉÔÅ ÔÅËÓÔ ÚÁÇÏÌÏ×ËÁ
|
||||
please insert a name for the target or choose another option. tinymce ru ðÏÖÁÌÕÊÓÔÁ ×ÓÔÁ×ØÔÅ ÉÍÑ ÁÄÒÅÓÁÔÁ ÉÌÉ ×ÙÂÅÒÉÔÅ ÄÒÕÇÕÀ ÏÐÃÉÀ.
|
||||
please run setup to become current common ru ðÏÖÁÌÕÊÓÔÁ, ÚÁÐÕÓÔÉÔÅ ÏÂÎÏ×ÌÅÎÉÅ.
|
||||
please select common ru ðÏÖÁÌÕÊÓÔÁ ÷ÙÂÅÒÉÔÅ
|
||||
please set your global preferences common ru ðÏÖÁÌÕÊÓÔÁ ÕÓÔÁÎÏ×ÉÔÅ ÷ÁÛÉ ÏÂÝÉÅ ÐÒÅÄÐÏÞÔÅÎÉÑ!
|
||||
@ -694,9 +587,7 @@ please wait... common ru
|
||||
please wait: changing dictionary to htmlarea-SpellChecker ru ðÏÖÁÌÕÊÓÔÁ, ÐÏÄÏÖÄÉÔÅ: ÓÍÅÎÁ ÓÌÏ×ÁÒÑ ÎÁ
|
||||
pliz weit ;-) htmlarea-SpellChecker ru ðÏÖÁÌÕÊÓÔÁ, ÐÏÄÏÖÄÉÔÅ
|
||||
poland common ru ðÏÌØÛÁ
|
||||
popup url tinymce ru ÷ÓÐÌÙ×ÁÀÝÁÑ ÓÓÙÌËÁ (URL)
|
||||
portugal common ru ðÏÒÔÕÇÁÌÉÑ
|
||||
position (x/y) tinymce ru ðÏÚÉÃÉÑ (X/Y)
|
||||
postal common ru ðÏÞÔÏ×ÙÊ
|
||||
powered by egroupware version %1 common ru ðÏÄ ÕÐÒÁ×ÌÅÎÉÅÍ <a href="http://www.egroupware.org">eGroupWare</a> ×ÅÒÓÉÉ %1
|
||||
powered by phpgroupware version %1 common ru ðÏÄ ÕÐÒÁ×ÌÅÎÉÅÍ phpGroupWare ×ÅÒÓÉÉ %1
|
||||
@ -704,7 +595,6 @@ preferences common ru
|
||||
preferences for the idots template set common ru ðÒÅÄÐÏÞÔÅÎÉÑ ÄÌÑ ÎÁÂÏÒÁ ÔÅÍ idots
|
||||
prev. month (hold for menu) jscalendar ru ðÒÅÄÙÄÕÝÉÊ ÍÅÓÑÃ
|
||||
prev. year (hold for menu) jscalendar ru ðÒÅÄÙÄÕÝÉÊ ÇÏÄ
|
||||
preview tinymce ru ðÒÅÄ×ÁÒÉÔÅÌØÎÙÊ ÐÒÏÓÍÏÔÒ
|
||||
previous page common ru ðÒÅÄÙÄÕÝÁÑ ÓÔÒÁÎÉÃÁ
|
||||
primary style-sheet: common ru ïÓÎÏ×ÎÁÑ ÔÁÂÌÉÃÁ ÓÔÉÌÅÊ:
|
||||
print common ru ðÅÞÁÔØ
|
||||
@ -719,37 +609,29 @@ re-check htmlarea-SpellChecker ru
|
||||
read common ru þÉÔÁÔØ
|
||||
read this list of methods. common ru þÉÔÁÔØ ÜÔÏÔ ÓÐÉÓÏË ÍÅÔÏÄÏ×
|
||||
reading common ru ÞÔÅÎÉÅ
|
||||
redo tinymce ru ÷ÏÚÏÂÎÏ×ÉÔØ
|
||||
redoes your last action htmlarea ru ÷ÏÚÏÂÎÏ×ÌÑÅÔ ÷ÁÛÅ ÐÏÓÌÅÄÎÅÅ ÄÅÊÓÔ×ÉÅ
|
||||
refresh tinymce ru ïÂÎÏ×ÉÔØ
|
||||
reject common ru ïÔËÌÏÎÉÔØ
|
||||
remove col tinymce ru õÄÁÌÉÔØ ÓÔÏÌÂÅÃ
|
||||
remove selected accounts common ru õÄÁÌÉÔØ ×ÙÂÒÁÎÎÙÅ ÕÞÅÔÎÙÅ ÚÁÐÉÓÉ
|
||||
remove shortcut common ru õÄÁÌÉÔØ óÏËÒÁÝÅÎÉÅ
|
||||
remove the htmlarea-ContextMenu ru õÄÁÌÉÔØ
|
||||
remove this node from the document htmlarea-ContextMenu ru õÄÁÌÉÔØ ÜÔÏÔ ÕÚÅÌ ÉÚ ÄÏËÕÍÅÎÔÁ
|
||||
rename common ru ðÅÒÅÉÍÅÎÏ×ÁÔØ
|
||||
rename failed tinymce ru ïÛÉÂËÁ ÐÅÒÅÉÍÅÎÏ×ÁÎÉÑ
|
||||
replace common ru úÁÍÅÎÁ
|
||||
replace all htmlarea-SpellChecker ru úÁÍÅÎÉÔØ ×ÓÅ
|
||||
replace with common ru úÁÍÅÎÉÔØ ÎÁ
|
||||
replace all tinymce ru úÁÍÅÎÉÔØ ×ÓÅ
|
||||
returns a full list of accounts on the system. warning: this is return can be quite large common ru ðÏËÁÚÁÔØ ÓÐÉÓÏË ÕÞÅÔÎÙÈ ÚÁÐÉÓÅÊ ÐÏÌØÚÏ×ÁÔÅÌÅÊ × ÓÉÓÔÅÍÅ. ÷îéíáîéå: óÐÉÓÏË ÍÏÖÅÔ ÂÙÔØ ×ÅÓØÍÁ ÂÏÌØÛÉÍ.
|
||||
returns an array of todo items common ru ÷ÏÚ×ÒÁÝÁÅÔ ÍÁÓÓÉ× úÁÄÁÎÉÊ
|
||||
returns struct of users application access common ru ÷ÏÚ×ÒÁÝÁÅÔ ÓÔÒÕËÔÕÒÕ ÄÏÓÔÕÐÁ ÐÏÌØÚÏ×ÁÔÅÌÅÊ Ë ÐÒÉÌÏÖÅÎÉÑÍ
|
||||
reunion common ru ï-× òÅÕÎÉÏÎ
|
||||
revert htmlarea-SpellChecker ru ïÔËÁÔ
|
||||
right common ru ðÒÁ×ÙÊ
|
||||
rmdir failed. tinymce ru ïÛÉÂËÁ ÕÄÁÌÅÎÉÑ ËÁÔÁÌÏÇÁ
|
||||
ro_w properties... htmlarea-ContextMenu ru ó×ÏÊÓÔ×Á óÔÒÏËÉ...
|
||||
romania common ru òÕÍÙÎÉÑ
|
||||
row properties htmlarea-TableOperations ru ó×ÏÊÓÔ×Á óÔÒÏËÉ
|
||||
rows tinymce ru óÔÒÏËÉ
|
||||
rules htmlarea-TableOperations ru ìÉÎÅÊËÉ
|
||||
rules will appear between all rows and columns htmlarea-TableOperations ru ìÉÎÅÊËÉ ÐÏÑ×ÑÔÓÑ ÍÅÖÄÕ ×ÓÅÍÉ ÓÔÒÏËÁÍÉ É ÓÔÏÌÂÃÁÍÉ
|
||||
rules will appear between columns only htmlarea-TableOperations ru ìÉÎÅÊËÉ ÐÏÑ×ÑÔÓÑ ÔÏÌØËÏ ÍÅÖÄÕ ÓÔÏÌÂÃÁÍÉ
|
||||
rules will appear between rows only htmlarea-TableOperations ru ìÉÎÅÊËÉ ÐÏÑ×ÑÔÓÑ ÔÏÌØËÏ ÍÅÖÄÕ ÓÔÒÏËÁÍÉ
|
||||
run spell checking tinymce ru ðÒÏ×ÅÒÉÔØ ÐÒÁ×ÏÐÉÓÁÎÉÅ
|
||||
russian federation common ru òÏÓÓÉÊÓËÁÑ æÅÄÅÒÁÃÉÑ
|
||||
rwanda common ru òÕÁÎÄÁ
|
||||
saint helena common ru ïÓÔÒÏ× ó×ÑÔÏÊ åÌÅÎÙ
|
||||
@ -771,7 +653,6 @@ search or select multiple accounts common ru
|
||||
second common ru ÓÅËÕÎÄ
|
||||
section common ru óÅËÃÉÑ
|
||||
select common ru ÷ÙÂÒÁÔØ
|
||||
select all tinymce ru ÷ÙÂÒÁÔØ ×ÓÅ
|
||||
select all %1 %2 for %3 common ru ÷ÙÂÅÒÉÔÅ ×ÓÅ %1 %2 ÄÌÑ %3
|
||||
select category common ru ÷ÙÂÅÒÉÔÅ ëÁÔÅÇÏÒÉÀ
|
||||
select date common ru ÷ÙÂÅÒÉÔÅ ÄÁÔÕ
|
||||
@ -799,27 +680,21 @@ show all common ru
|
||||
show all categorys common ru ðÏËÁÚÁÔØ ×ÓÅ ËÁÔÅÇÏÒÉÉ
|
||||
show clock? common ru ðÏËÁÚÁÔØ ÞÁÓÙ?
|
||||
show home and logout button in main application bar? common ru ðÏËÁÚÙ×ÁÔØ ËÎÏÐËÉ "äÏÍÏÊ" É "÷ÙÈÏÄ" ÎÁ ÇÌÁ×ÎÏÊ ÐÁÎÅÌÉ ÐÒÉÌÏÖÅÎÉÊ?
|
||||
show locationbar tinymce ru ðÏËÁÚÁÔØ ÁÄÒÅÓÎÕÀ ÐÁÎÅÌØ
|
||||
show logo's on the desktop. common ru ðÏËÁÚÁÔØ ÌÏÇÏÔÉÐÙ ÎÁ ÒÁÂÏÞÅÍ ÓÔÏÌÅ.
|
||||
show menu common ru ÐÏËÁÚÁÔØ ÍÅÎÀ
|
||||
show menubar tinymce ru ðÏËÁÚÁÔØ ÐÁÎÅÌØ ÍÅÎÀ
|
||||
show page generation time common ru ðÏËÁÚÁÔØ ×ÒÅÍÑ ÇÅÎÅÒÁÃÉÉ ÓÔÒÁÎÉÃÙ
|
||||
show page generation time on the bottom of the page? common ru ðÏËÁÚÁÔØ ×ÒÅÍÑ ÇÅÎÅÒÁÃÉÉ ÓÔÒÁÎÉÃÙ ×ÎÉÚÕ ÓÔÒÁÎÉÃÙ?
|
||||
show page generation time? common ru ïÔÏÂÒÁÖÁÔØ ×ÒÅÍÑ ÇÅÎÅÒÁÃÉÉ ÓÔÒÁÎÉÃÙ?
|
||||
show scrollbars tinymce ru ðÏËÁÚÁÔØ ÌÉÎÅÊËÉ ÐÒÏËÒÕÔËÉ
|
||||
show statusbar tinymce ru ðÏËÁÚÁÔØ ÓÔÒÏËÕ ÓÏÓÔÏÑÎÉÑ
|
||||
show the image properties dialog htmlarea-ContextMenu ru ðÏËÁÚÁÔØ ÄÉÁÌÏÇ Ó×ÏÊÓÔ× ÉÚÏÂÒÁÖÅÎÉÑ
|
||||
show the logo's of egroupware and x-desktop on the desktop. common ru ðÏËÁÚÁÔØ ÌÏÇÏÔÉÐÙ eGroupware É è-desktop ÎÁ ÒÁÂÏÞÅÍ ÓÔÏÌÅ.
|
||||
show the table cell properties dialog htmlarea-ContextMenu ru ðÏËÁÚÁÔØ ÄÉÁÌÏÇ Ó×ÏÊÓÔ× ÑÞÅÊËÉ
|
||||
show the table properties dialog htmlarea-ContextMenu ru ðÏËÁÚÁÔØ ÄÉÁÌÏÇ Ó×ÏÊÓÔ× ÔÁÂÌÉÃÙ
|
||||
show the table row properties dialog htmlarea-ContextMenu ru ðÏËÁÚÁÔØ ÄÉÁÌÏÇ Ó×ÏÊÓÔ× ÓÔÒÏËÉ
|
||||
show toolbars tinymce ru ðÏËÁÚÁÔØ ÐÁÎÅÌÉ ÉÎÓÔÒÕÍÅÎÔÏ×
|
||||
show_more_apps common ru ÐÏËÁÚÁÔØ_ÂÏÌØÛÅ_ÐÒÉÌÏÖÅÎÉÊ
|
||||
showing %1 common ru ÐÏËÁÚ %1
|
||||
showing %1 - %2 of %3 common ru ÐÏËÁÚ %1 - %2 ÉÚ %3
|
||||
sierra leone common ru óØÅÒÒÁ ìÅÏÎÅ
|
||||
singapore common ru óÉÎÇÁÐÕÒ
|
||||
size tinymce ru òÁÚÍÅÒ
|
||||
slovakia common ru óÌÏ×ÁËÉÑ
|
||||
slovenia common ru óÌÏ×ÅÎÉÑ
|
||||
solomon islands common ru óÏÌÏÍÏÎÏ×Ù Ï-×Á
|
||||
@ -835,7 +710,6 @@ spell-check htmlarea-SpellChecker ru
|
||||
split cell htmlarea-TableOperations ru òÁÚÂÉÔØ ÑÞÅÊËÕ
|
||||
split column htmlarea-TableOperations ru òÁÚÂÉÔØ ÓÔÏÌÂÅÃ
|
||||
split row htmlarea-TableOperations ru òÁÚÂÉÔØ ÓÔÒÏËÕ
|
||||
split table cells tinymce ru òÁÚÂÉÔØ ÑÞÅÊËÉ ÔÁÂÌÉÃÙ
|
||||
sri lanka common ru ûÒÉ-ìÁÎËÁ
|
||||
start date common ru äÁÔÁ ÎÁÞÁÌÁ
|
||||
start time common ru ÷ÒÅÍÑ ÎÁÞÁÌÁ
|
||||
@ -844,7 +718,6 @@ starting up... common ru
|
||||
status common ru óÔÁÔÕÓ
|
||||
stretched common ru ÒÁÓÔÑÎÕÔÙÊ
|
||||
strikethrough htmlarea ru úÁÞÅÒËÉ×ÁÎÉÅ
|
||||
striketrough tinymce ru úÁÞÅÒËÉ×ÁÎÉÅ
|
||||
style [css] htmlarea-TableOperations ru óÔÉÌØ [CSS]
|
||||
subject common ru ôÅÍÁ
|
||||
submit common ru ðÏÓÌÁÔØ
|
||||
@ -861,13 +734,10 @@ swaziland common ru
|
||||
sweden common ru û×ÅÃÉÑ
|
||||
switzerland common ru û×ÅÊÃÁÒÉÑ
|
||||
syrian arab republic common ru óÉÒÉÑ
|
||||
table cell properties tinymce ru ó×ÏÊÓÔ×Á ÑÞÅÊËÉ ÔÁÂÌÉÃÙ
|
||||
table properties common ru ó×ÏÊÓÔ×Á ÔÁÂÌÉÃÙ
|
||||
table row properties tinymce ru ó×ÏÊÓÔ×Á ÓÔÒÏËÉ ÔÁÂÌÉÃÙ
|
||||
taiwan common ru ôÁÊ×ÁÎØ
|
||||
tajikistan common ru ôÁÄÖÉËÉÓÔÁÎ
|
||||
tanzania, united republic of common ru ôÁÎÚÁÎÉÑ
|
||||
target tinymce ru ïÔËÒÙÔØ ×...
|
||||
text align htmlarea-TableOperations ru ÷ÙÒÏ×ÎÉ×ÁÎÉÅ ÔÅËÓÔÁ
|
||||
text color: common ru ã×ÅÔ ÔÅËÓÔÁ:
|
||||
thailand common ru ôÁÉÌÁÎÄ
|
||||
@ -879,13 +749,10 @@ the left-hand side only htmlarea-TableOperations ru
|
||||
the mail server returned common ru ðÏÞÔÏ×ÙÊ ÓÅÒ×ÅÒ ×ÏÚ×ÒÁÝÅÎ
|
||||
the right and left sides only htmlarea-TableOperations ru ôÏÌØËÏ ÓÐÒÁ×Á É ÓÌÅ×Á
|
||||
the right-hand side only htmlarea-TableOperations ru ôÏÌØËÏ ÓÐÒÁ×Á
|
||||
the search has been compleated. the search string could not be found. tinymce ru ðÏÉÓË ÚÁ×ÅÒÛÅÎ. éÓËÏÍÏÅ ÚÎÁÞÅÎÉÅ ÎÅ ÎÁÊÄÅÎÏ.
|
||||
the top and bottom sides only htmlarea-TableOperations ru ôÏÌØËÏ Ó×ÅÒÈÕ É ÓÎÉÚÕ
|
||||
the top side only htmlarea-TableOperations ru ôÏÌØËÏ Ó×ÅÒÈÕ
|
||||
this application is current common ru ïÂÎÏ×ÌÅÎÉÅ ÎÅ ÔÒÅÂÕÅÔÓÑ
|
||||
this application requires an upgrade common ru ðÒÉÌÏÖÅÎÉÅ ÔÒÅÂÕÅÔ ÏÂÎÏ×ÌÅÎÉÑ
|
||||
this is just a template button tinymce ru üÔÏ - ÔÏÌØËÏ ËÎÏÐËÁ ÛÁÂÌÏÎÁ
|
||||
this is just a template popup tinymce ru üÔÏ - ÔÏÌØËÏ ×ÓÐÌÙ×ÁÀÝÅÅ ÍÅÎÀ ÛÁÂÌÏÎÁ
|
||||
this name has been used already common ru üÔÏ ÉÍÑ ÕÖÅ ÉÓÐÏÌØÚÕÅÔÓÑ !
|
||||
this will drop changes and quit spell checker. please confirm. htmlarea-SpellChecker ru ïÔÍÅÎÁ ×ÎÅÓÅÎÎÙÈ ÉÚÍÅÎÅÎÉÊ É ×ÙÈÏÄ ÉÚ ÓÌÏ×ÁÒÑ. ðÏÄÔ×ÅÒÄÉÔÅ.
|
||||
thursday common ru þÅÔ×ÅÒÇ
|
||||
@ -901,7 +768,6 @@ to go back to the msg list, click <a href= %1 >here</a> common ru
|
||||
today common ru óÅÇÏÄÎÑ
|
||||
todays date, eg. "%1" common ru óÅÇÏÄÎÑÛÎÑÑ ÄÁÔÁ, ÎÁÐÒ. "%1"
|
||||
toggle first day of week jscalendar ru éÚÍÅÎÉÔØ ÐÅÒ×ÙÊ ÄÅÎØ ÎÅÄÅÌÉ
|
||||
toggle fullscreen mode tinymce ru ÷ÙÂÒÁÔØ ÐÏÌÎÏÜËÒÁÎÎÙÊ ÒÅÖÉÍ
|
||||
toggle html source htmlarea ru ðÏËÁÚÁÔØ HTML ËÏÄ
|
||||
togo common ru ôÏÇÏ
|
||||
tokelau common ru ôÏËÅÌÁÕ
|
||||
@ -922,25 +788,19 @@ uganda common ru
|
||||
ukraine common ru õËÒÁÉÎÁ
|
||||
underline common ru ðÏÄÞÅÒËÉ×ÁÎÉÅ
|
||||
underline.gif common ru ÐÏÄÞÅÒËÉ×ÁÎÉÅ.gif
|
||||
undo tinymce ru ïÔÍÅÎÁ
|
||||
undoes your last action htmlarea ru ïÔÍÅÎÑÅÔ ÷ÁÛÅ ÐÏÓÌÅÄÎÅÅ ÄÅÊÓÔ×ÉÅ
|
||||
united arab emirates common ru ïáü
|
||||
united kingdom common ru áÎÇÌÉÑ
|
||||
united states common ru óûá
|
||||
united states minor outlying islands common ru õÄÁÌÅÎÎÙÅ ÏÓÔÒÏ×Á ÐÏÄ ÀÒÉÓÄÉËÃÉÅÊ óûá
|
||||
unknown common ru îÅÉÚ×ÅÓÔÎÙÊ
|
||||
unlink tinymce ru ïÔÃÅÐÉÔØ ÓÓÙÌËÕ
|
||||
unlink failed. tinymce ru óÓÙÌËÁ ÎÅ ÕÄÁÌÅÎÁ.
|
||||
unlink the current element htmlarea-ContextMenu ru ïÔÃÅÐÉÔØ ÓÓÙÌËÕ ÔÅËÕÝÅÇÏ ÜÌÅÍÅÎÔÁ
|
||||
unordered list tinymce ru îÅÎÕÍÅÒÏ×ÁÎÎÙÊ ÓÐÉÓÏË
|
||||
unset color htmlarea-TableOperations ru õÄÁÌÉÔØ Ã×ÅÔ
|
||||
up tinymce ru ÷×ÅÒÈ
|
||||
update common ru éÚÍÅÎÉÔØ
|
||||
update the clock per minute or per second common ru ïÂÎÏ×ÌÑÔØ ÐÏËÁÚÁÎÉÑ ÞÁÓÏ× ÅÖÅÍÉÎÕÔÎÏ ÉÌÉ ÅÖÅÓÅËÕÎÄÎÏ
|
||||
upload common ru ÷ÙÇÒÕÚÉÔØ
|
||||
upload directory does not exist, or is not writeable by webserver common ru ëÁÔÁÌÏÇ ×ÙÇÒÕÚËÉ ÎÅ ÓÕÝÅÓÔ×ÕÅÔ, ÉÌÉ ÷ÅÂ-ÓÅÒ×ÅÒ ÎÅ ÉÍÅÅÔ ÄÏÓÔÁÔÏÞÎÙÈ ÐÏÌÎÏÍÏÞÉÊ ÄÌÑ ÚÁÐÉÓÉ
|
||||
upload image htmlarea-UploadImage ru ÷ÙÇÒÕÚÉÔØ ÉÚÏÂÒÁÖÅÎÉÅ
|
||||
uploading... tinymce ru ÷ÙÇÒÕÚËÁ
|
||||
upper latin letters htmlarea-ListType ru ðÒÏÐÉÓÎÙÅ ÌÁÔÉÎÓËÉÅ ÂÕË×Ù
|
||||
upper roman numbers htmlarea-ListType ru ðÒÏÐÉÓÎÙÅ ÒÉÍÓËÉÅ ÃÉÆÒÙ
|
||||
url common ru óÓÙÌËÁ (URL)
|
||||
@ -949,8 +809,6 @@ use button to search for common ru
|
||||
use button to search for address common ru ÉÓÐÏÌØÚÕÊÔÅ ëÎÏÐËÕ ÄÌÑ ÐÏÉÓËÁ áÄÒÅÓÁ
|
||||
use button to search for calendarevent common ru ÉÓÐÏÌØÚÕÊÔÅ ëÎÏÐËÕ ÄÌÑ ÐÏÉÓËÁ óÏÂÙÔÉÑ × ëÁÌÅÎÄÁÒÅ
|
||||
use button to search for project common ru ÉÓÐÏÌØÚÕÊÔÅ ëÎÏÐËÕ ÄÌÑ ÐÏÉÓËÁ ðÒÏÅËÔÁ
|
||||
use ctrl and/or shift to select multiple items. tinymce ru éÓÐÏÌØÚÕÊÔÅ Ctrl É/ÉÌÉ Shift ÄÌÑ ×ÙÄÅÌÅÎÉÑ ÎÅÓËÏÌØËÉÈ ÏÂßÅËÔÏ×
|
||||
use ctrl+v on your keyboard to paste the text into the window. tinymce ru éÓÐÏÌØÚÕÊÔÅ ÓÏÞÅÔÁÎÉÅ ËÌÁ×ÉÛ CTRL+V ËÌÁ×ÉÁÔÕÒÙ ÄÌÑ ×ÓÔÁ×ËÉ ÔÅËÓÔÁ × ÏËÎÏ
|
||||
user common ru ðÏÌØÚÏ×ÁÔÅÌØ
|
||||
user accounts common ru ÕÞÅÔÎÙÅ ÚÁÐÉÓÉ ÐÏÌØÚÏ×ÁÔÅÌÅÊ
|
||||
user groups common ru ÇÒÕÐÐÙ ÐÏÌØÚÏ×ÁÔÅÌÅÊ
|
||||
@ -963,13 +821,11 @@ vanuatu common ru
|
||||
venezuela common ru ÷ÅÎÅÓÕÜÌÌÁ
|
||||
version common ru ÷ÅÒÓÉÑ
|
||||
vertical align htmlarea-TableOperations ru ÷ÙÒÁ×ÎÉ×ÁÎÉÅ ÐÏ ×ÅÒÔÉËÁÌÉ
|
||||
vertical alignment tinymce ru ÷ÙÒÁ×ÎÉ×ÁÎÉÅ ÐÏ ×ÅÒÔÉËÁÌÉ
|
||||
viet nam common ru ÷ØÅÔÎÁÍ
|
||||
view common ru ðÒÏÓÍÏÔÒÅÔØ
|
||||
virgin islands, british common ru ÷ÉÒÇÉÎÓËÉÅ ÏÓÔÒÏ×Á (âÒÉÔÁÎÓËÁÑ ÔÅÒÒÉÔÏÒÉÑ)
|
||||
virgin islands, u.s. common ru ÷ÉÒÇÉÎÓËÉÅ ÏÓÔÒÏ×Á (ÔÅÒÒÉÔÏÒÉÑ óûá)
|
||||
wallis and futuna common ru ï-×Á õÏÌÌÉÓ É æÕÔÕÎÁ
|
||||
warning!\n renaming or moving folders and files will break existing links in your documents. continue? tinymce ru ÷îéíáîéå!\n ðÅÒÅÉÍÅÎÏ×ÁÎÉÅ ÉÌÉ ÐÅÒÅÍÅÝÅÎÉÅ ÆÁÊÌÏ× É ÐÁÐÏË ÓÄÅÌÁÅÔ ÓÓÙÌËÉ × ÷ÁÛÉÈ ÄÏËÕÍÅÎÔÁÈ ÎÅÄÅÊÓÔ×ÉÔÅÌØÎÙÍÉ. ðÒÏÄÏÌÖÉÔØ?
|
||||
wednesday common ru óÒÅÄÁ
|
||||
welcome common ru äÏÂÒÏ ÐÏÖÁÌÏ×ÁÔØ
|
||||
western sahara common ru úÁÐÁÄÎÁÑ óÁÈÁÒÁ
|
||||
@ -978,7 +834,6 @@ what style would you like the image to have? common ru
|
||||
when you say yes the home and logout buttons are presented as applications in the main top applcation bar. common ru åÓÌÉ ÷Ù ÏÔ×ÅÔÉÔÅ "ÄÁ", ËÎÏÐËÉ "äÏÍÏÊ" É "÷ÙÈÏÄ" ÂÕÄÕÔ ÐÒÅÄÓÔÁ×ÌÅÎÙ × ×ÉÄÅ ÉËÏÎÏË ÎÁ ×ÅÒÈÎÅÊ ÐÁÎÅÌÉ.
|
||||
which groups common ru ëÁËÉÅ ÇÒÕÐÐÙ
|
||||
width common ru ûÉÒÉÎÁ
|
||||
window name tinymce ru úÁÇÏÌÏ×ÏË ÏËÎÁ
|
||||
wk jscalendar ru ÎÅÄ.
|
||||
work email common ru ÒÁÂÏÞÉÊ e-mail
|
||||
would you like to display the page generation time at the bottom of every window? common ru ïÔÏÂÒÁÖÁÔØ ×ÒÅÍÑ ÇÅÎÅÒÁÃÉÉ ÓÔÒÁÎÉÃÙ × ÎÉÖÎÅÊ ÞÁÓÔÉ ÏËÎÁ?
|
||||
@ -997,7 +852,6 @@ you have not entered participants common ru
|
||||
you have selected an invalid date common ru ÷Ù ×ÙÂÒÁÌÉ ÎÅÐÒÁ×ÉÌØÎÕÀ ÄÁÔÕ !
|
||||
you have selected an invalid main category common ru ÷Ù ×ÙÂÒÁÌÉ ÎÅÐÒÁ×ÉÌØÎÙÊ ÏÓÎÏ×ÎÕÀ ËÁÔÅÇÏÒÉÀ !
|
||||
you have successfully logged out common ru ÷Ù ÕÓÐÅÛÎÏ ×ÙÛÌÉ
|
||||
you must enter the url tinymce ru ÷×ÅÄÉÔÅ URL (ÁÄÒÅÓ ÓÔÒÁÎÉÃÙ)
|
||||
you need to add the webserver user '%1' to the group '%2'. common ru ÷ÁÍ ÎÅÏÂÈÏÄÉÍÏ ÄÏÂÁ×ÉÔØ ÐÏÌØÚÏ×ÁÔÅÌÑ ÷ÅÂ-ÓÅÒ×ÅÒÁ '%1' × ÇÒÕÐÐÕ '%2'.
|
||||
your message could <b>not</b> be sent!<br> common ru ÷ÁÛÅ ÓÏÏÂÝÅÎÉÅ <b>ÎÅ ÍÏÖÅÔ</b> ÂÙÔØ ÏÔÐÒÁ×ÌÅÎÏ !<br>
|
||||
your message has been sent common ru ÷ÁÛÅ ÓÏÏÂÝÅÎÉÅ ÏÔÐÒÁ×ÌÅÎÏ
|
||||
|
@ -16,7 +16,6 @@
|
||||
3 number of chars for day-shortcut jscalendar sk 3 poèet znakov skratky dòa
|
||||
3 number of chars for month-shortcut jscalendar sk 3 poèet znakov skratky mesiaca
|
||||
80 (http) admin sk 80 (http)
|
||||
a editor instance must be focused before using this command. tinymce sk In¹tancia Editora musí ma» fokus, ne¾ pou¾ijete tento príkaz.
|
||||
about common sk O aplikácii
|
||||
about %1 common sk O aplikácii %1
|
||||
about egroupware common sk O eGroupWare
|
||||
@ -41,16 +40,9 @@ administration common sk Spr
|
||||
afghanistan common sk AFGANISTAN
|
||||
albania common sk ALBÁNSKO
|
||||
algeria common sk AL®ÍRSKO
|
||||
align center tinymce sk Zarovnaj na stred
|
||||
align full tinymce sk Zarovnaj do bloku
|
||||
align left tinymce sk Zarovnaj doµava
|
||||
align right tinymce sk Zarovnaj doprava
|
||||
alignment tinymce sk Zarovnanie
|
||||
all common sk V¹etko
|
||||
all fields common sk v¹etky polia
|
||||
all occurrences of the search string was replaced. tinymce sk V¹etky exempláre hµadaného re»azca boli nahradené
|
||||
alphabet common sk a,b,c,d,e,f,g,h,i,j,k,l,m,n,o,p,q,r,s,t,u,v,w,x,y,z
|
||||
alternative image tinymce sk Alternatívny obrázok
|
||||
andorra common sk ANDORA
|
||||
angola common sk ANGOLA
|
||||
application common sk Aplikácia
|
||||
@ -82,12 +74,10 @@ bcc common sk Skryt
|
||||
belarus common sk BIELORUSKO
|
||||
belgium common sk BELGICKO
|
||||
bermuda common sk BERMUDY
|
||||
bg color tinymce sk Farba pozadia
|
||||
blocked, too many attempts common sk Zablokované, príli¹ veµa pokusov
|
||||
bold common sk Tuèné
|
||||
bolivia common sk BOLÍVIA
|
||||
border common sk Okraj
|
||||
border color tinymce sk Farba okraja
|
||||
bosnia and herzegovina common sk BOSNA A HERCEGOVINA
|
||||
bottom common sk Spodný okraj
|
||||
brazil common sk BRAZÍLIA
|
||||
@ -107,9 +97,6 @@ category %1 has been added ! common sk Kateg
|
||||
category %1 has been updated ! common sk Kategória %1 bola zmenená!
|
||||
cayman islands common sk KAJMANSKÉ OSTROVY
|
||||
cc common sk Kópia
|
||||
cellpadding tinymce sk Rozostup medzi bunkami
|
||||
cellspacing tinymce sk Odstup buniek od okraja
|
||||
center tinymce sk Na stred
|
||||
centered common sk na stred
|
||||
central african republic common sk STREDOAFRICKÁ REPUBLIKA
|
||||
change common sk Zmeni»
|
||||
@ -122,12 +109,9 @@ choose a background color for the icons common sk Vyberte farbu pozadia ikoniek
|
||||
choose a background image. common sk Vyberte obrázok pozadia.
|
||||
choose a background style. common sk Vyberte ¹týl pozadia.
|
||||
choose a text color for the icons common sk Vyberte farbu textu pre ikonky
|
||||
choose directory to move selected folders and files to. tinymce sk Vyberte adresár, kam presunú» oznaèené prieèinky a súbory.
|
||||
choose the category common sk Vyberte kategóriu
|
||||
choose the parent category common sk Vyberte rodièovskú kategóriu
|
||||
christmas island common sk VIANOÈNÉ OSTROVY
|
||||
class tinymce sk Trieda
|
||||
cleanup messy code tinymce sk Uprata» nadbytoèný kód
|
||||
clear common sk Zmaza»
|
||||
clear form common sk Vyèisti» formulár
|
||||
click common sk Klik
|
||||
@ -137,18 +121,12 @@ close common sk Zavrie
|
||||
close sidebox common sk Zavrie» Sidebox
|
||||
cocos (keeling) islands common sk KOKOSOVÉ OSTROVY
|
||||
colombia common sk KOLUMBIA
|
||||
columns tinymce sk Ståpce
|
||||
comment tinymce sk Komentár
|
||||
common preferences common sk Be¾né nastavenia
|
||||
company common sk Spoloènos»
|
||||
configuration problem tinymce sk Problém v nastaveniach
|
||||
congo common sk KONGO
|
||||
congo, the democratic republic of the common sk KONGO, DEMOKRATICKÁ REPUBLIKA
|
||||
contacting server... common sk Pripájam sa na Server...
|
||||
copy common sk Kopírova»
|
||||
copy table row tinymce sk Kopírova» riadok tabuµky
|
||||
copy/cut/paste is not available in mozilla and firefox.\ndo you want more information about this issue? tinymce sk Funkcie Kopírova»/Vystrihnú»/Vlo¾i» nie sú dostupné v prehliadaèoch Mozilla (vrátane Firefox).\nChcete sa o tomto probléme dozvedie» viac?
|
||||
copy/cut/paste is not available in mozilla and firefox.ndo you want more information about this issue? tinymce sk Funkcie Kopírova»/Vystrihnú»/Vlo¾i» nie sú dostupné v prehliadaèoch Mozilla (vrátane Firefox).\nChcete sa o tomto probléme dozvedie» viac?
|
||||
could not contact server. operation timed out! common sk Nedá sa pripoji» na server. Èas operácie vypr¹al!
|
||||
create common sk Vytvori»
|
||||
created by common sk Vytvoril
|
||||
@ -157,16 +135,13 @@ cuba common sk KUBA
|
||||
currency common sk Mena
|
||||
current common sk Aktuálne
|
||||
current users common sk Súèasní pou¾ívatelia
|
||||
cut table row tinymce sk Vystrihnú» riadok tabuµky
|
||||
cyprus common sk CYPRUS
|
||||
czech republic common sk ÈESKÁ REPUBLIKA
|
||||
date common sk Dátum
|
||||
date due common sk Termín do
|
||||
date modified tinymce sk Dátum upravený
|
||||
date selection: jscalendar sk Výber dátumu:
|
||||
datetime port.<br>if using port 13, please set firewall rules appropriately before submitting this page.<br>(port: 13 / host: 129.6.15.28) admin sk Port pre dátum/èas.<br>Ak pou¾ívate port 13,prosím nastavte korektne filtrovacie pravidlá na firewall-e e¹te predtým, ne¾ potvrdíte túto stránku.<br>(Port: 13 / Host: 129.6.15.28)
|
||||
december common sk December
|
||||
default tinymce sk Predvolené
|
||||
default category common sk ©tandardná kategória
|
||||
default height for the windows common sk Predvolená vý¹ka okien
|
||||
default width for the windows common sk Predvolená ¹írka okien
|
||||
@ -177,10 +152,7 @@ description common sk Popis
|
||||
detail common sk Podrobnosti
|
||||
details common sk Podrobnosti
|
||||
diable the execution a bugfixscript for internet explorer 5.5 and higher to show transparency in png-images? common sk Vypnú» spú¹»anie opravného skriptu pre IE5.5 a vy¹¹í pre zobrazenie priesvitnosti v obrázkoch PNG?
|
||||
direction tinymce sk Tok písma
|
||||
direction left to right common sk Tok zµava doprava
|
||||
direction right to left tinymce sk Tok sprava doµava
|
||||
directory tinymce sk Adresár
|
||||
disable internet explorer png-image-bugfix common sk Vypnú» opravu chyby pre obrázky PNG v Internet Explorer-i
|
||||
disable slider effects common sk Vypnú» efekty posuvníka
|
||||
disable the animated slider effects when showing or hiding menus in the page? opera and konqueror users will probably must want this. common sk Vypnú» animované efekty posuvníka, keï sa zobrazujú alebo skrývajú menu na stránke? Pou¾ívatelia Opery a Konquerer-a to pravdepodobne musia zvoli».
|
||||
@ -188,7 +160,6 @@ disable the execution a bugfixscript for internet explorer 5.5 and higher to sho
|
||||
disabled common sk Zakázané
|
||||
display %s first jscalendar sk Zobrazi» %s najskôr
|
||||
do you also want to delete all subcategories ? common sk Chcete smaza» aj v¹etky podkategórie?
|
||||
do you want to use the wysiwyg mode for this textarea? tinymce sk Chcete pre túto oblas» textu pou¾i» WYSIWYG editor?
|
||||
document properties common sk Vlastnosti dokumentu
|
||||
document title: common sk Nadpis dokumentu
|
||||
domain common sk Doména
|
||||
@ -196,7 +167,6 @@ domain name for mail-address, eg. "%1" common sk n
|
||||
domestic common sk Domáce
|
||||
dominican republic common sk DOMINIKÁNSKA REPUBLIKA
|
||||
done common sk Hotovo
|
||||
down tinymce sk Dole
|
||||
drag to move jscalendar sk Potiahni pre presun
|
||||
e-mail common sk E-Mail
|
||||
east timor common sk VÝCHODNÝ TIMOR
|
||||
@ -210,7 +180,6 @@ egroupware: login blocked for user '%1', ip %2 common sk eGroupWare: prihlasovan
|
||||
egypt common sk EGYPT
|
||||
email common sk E-Mail
|
||||
email-address of the user, eg. "%1" common sk emailová adresa pou¾ívateµa, napr. "%1"
|
||||
emotions tinymce sk Emócie
|
||||
enabled common sk Povolené
|
||||
end date common sk Koncový dátum
|
||||
end time common sk Koncový èas
|
||||
@ -231,39 +200,15 @@ fax number common sk
|
||||
february common sk Február
|
||||
fields common sk Polo¾ky
|
||||
fiji common sk FID®I
|
||||
file already exists. file was not uploaded. tinymce sk Súbor u¾ existuje, preto NEBOL nahratý.
|
||||
file exceeds the size limit tinymce sk Súbor presahuje povolenú veµkos».
|
||||
file manager tinymce sk Správca súborov
|
||||
file not found. tinymce sk Súbor sa nena¹iel.
|
||||
file was not uploaded. tinymce sk Súbor nebol nahratý.
|
||||
file with specified new name already exists. file was not renamed/moved. tinymce sk Takýto súbor u¾ existuje, preto nebol premenovaný/presunutý.
|
||||
file(s) tinymce sk súbor(y)
|
||||
file: tinymce sk Súbor:
|
||||
files common sk Súbory
|
||||
files with this extension are not allowed. tinymce sk Súbory s touto príponou nie sú dovolené.
|
||||
filter common sk Filter
|
||||
find tinymce sk Hµada»
|
||||
find again tinymce sk Hµada» znovu
|
||||
find what tinymce sk Èo hµada»
|
||||
find next tinymce sk Hµada» ïalej
|
||||
find/replace tinymce sk Nájs»/Nahradi»
|
||||
finland common sk FÍNSKO
|
||||
first name common sk Meno
|
||||
first name of the user, eg. "%1" common sk meno pou¾ívateµa, napr. "%1"
|
||||
first page common sk Prvá strana
|
||||
firstname common sk Meno
|
||||
fixme! common sk OPRAV MA!
|
||||
flash files tinymce sk Súbory Flash
|
||||
flash properties tinymce sk Nastavenia Flash
|
||||
flash-file (.swf) tinymce sk Súbor Flash (.swf)
|
||||
folder tinymce sk Prieèinok
|
||||
folder already exists. common sk Prieèinok u¾ existuje.
|
||||
folder name missing. tinymce sk Chýba názov prieèinku.
|
||||
folder not found. tinymce sk Prieèinok sa nena¹iel.
|
||||
folder with specified new name already exists. folder was not renamed/moved. tinymce sk Taký prieèinok u¾ existuje, preto nebol premenovaný/presunutý.
|
||||
folder(s) tinymce sk prieèinok/ky
|
||||
for mouse out tinymce sk pre my¹ mimo
|
||||
for mouse over tinymce sk pre my¹ cez
|
||||
force selectbox common sk Otvor výberové menu
|
||||
france common sk FRANCÚZSKO
|
||||
french polynesia common sk FRANCÚZSKA POLYNÉZIA
|
||||
@ -311,29 +256,14 @@ iceland common sk ISLAND
|
||||
iespell not detected. click ok to go to download page. common sk ieSpell sa nena¹iel. Kliknutím na OK sa presuniete na stránku, odkiaµ ho mô¾ete stiahnu».
|
||||
if the clock is enabled would you like it to update it every second or every minute? common sk Ak sú hodiny zapnuté, chcete aby sa aktualizovali ka¾dú sekundu, alebo staèí ka¾dú minútu?
|
||||
if there are some images in the background folder you can choose the one you would like to see. common sk Ak sú v prieèinku pre pozadia nejaké obrázky, mô¾ete si vybra», ktorý chcete.
|
||||
image description tinymce sk Opis obrázka
|
||||
image title tinymce sk Titulok obrázka
|
||||
image url common sk URL obrázka
|
||||
indent tinymce sk Odsadenie
|
||||
india common sk INDIA
|
||||
indonesia common sk INDONÉZIA
|
||||
insert tinymce sk Vlo¾i»
|
||||
insert / edit flash movie tinymce sk Vlo¾i» / upravi» film Flash
|
||||
insert / edit horizontale rule tinymce sk Vlo¾i» / upravi» Vodorovné pravítko
|
||||
insert all %1 addresses of the %2 contacts in %3 common sk Vlo¾i» v¹etkých %1 adries z %2 kontaktov in %3
|
||||
insert column after common sk Vlo¾i» Ståpec za
|
||||
insert column before common sk Vlo¾i» Ståpec Pred
|
||||
insert date tinymce sk Vlo¾i» dátum
|
||||
insert emotion tinymce sk Vlo¾i» smajlík (emotion)
|
||||
insert file tinymce sk Vlo¾i» súbor
|
||||
insert link to file tinymce sk Vlo¾i» odkaz na súbor
|
||||
insert row after common sk Vlo¾i» Riadok Za
|
||||
insert row before common sk Vlo¾i» Riadok Pred
|
||||
insert time tinymce sk Vlo¾i» èas
|
||||
insert/edit image tinymce sk Vlo¾i»/upravi» obrázok
|
||||
insert/edit link tinymce sk Vlo¾i»/upravi» odkaz
|
||||
insert/modify table tinymce sk Vlo¾i»/upravi» tabuµku
|
||||
inserts a new table tinymce sk Vlo¾i» novú tabuµku
|
||||
international common sk Mezinárodný
|
||||
invalid filename common sk Chybný názov súboru
|
||||
invalid ip address common sk Chybná IP adresa
|
||||
@ -358,7 +288,6 @@ justify full common sk Zarovna
|
||||
justify left common sk Zarovna» v¥avo
|
||||
justify right common sk Zarovna» vpRavo
|
||||
kazakstan common sk KAZACHSTAN
|
||||
keep linebreaks tinymce sk Zachovaj zalomenie riadkov
|
||||
kenya common sk KEÒA
|
||||
keywords common sk Kµúèové slová
|
||||
korea, democratic peoples republic of common sk KÓREJSKÁ ¥UDOVODEMOKRATICKÁ REPUBLIKA
|
||||
@ -377,10 +306,8 @@ liberia common sk LIB
|
||||
license common sk Licencia
|
||||
liechtenstein common sk LICHTEN©TAJNSKO
|
||||
line %1: '%2'<br><b>csv data does not match column-count of table %3 ==> ignored</b> common sk Riadok %1: '%2'<br><B>csv dáta nesúhlasia s poètom ståpcov tabuµky %3 ==> ignorované</b>
|
||||
link url tinymce sk URL odkazu
|
||||
list common sk Zoznam
|
||||
list members common sk Zoznam èlenov
|
||||
loading files tinymce sk Nahrávam súbory
|
||||
local common sk Lokálny
|
||||
login common sk Prihlási»
|
||||
loginid common sk Prihlasovacie ID
|
||||
@ -394,31 +321,26 @@ mail domain, eg. "%1" common sk mailov
|
||||
main category common sk Hlavná kategória
|
||||
main screen common sk Hlavná stránka
|
||||
maintainer common sk Správca
|
||||
make window resizable tinymce sk Povoli» zmeny rozmerov okna
|
||||
malaysia common sk MALAJZIA
|
||||
maldives common sk MALEDIVY
|
||||
mali common sk MALI
|
||||
malta common sk MALTA
|
||||
march common sk Marec
|
||||
marshall islands common sk MARSHALLOVE OSTROVY
|
||||
match case tinymce sk Citlivý na veµkos»
|
||||
mauritania common sk MAURETÁNIA
|
||||
mauritius common sk MAURÍCIUS
|
||||
max number of icons in navbar common sk Maximálny poèet ikoniek v navigaènom paneli
|
||||
may common sk Máj
|
||||
medium common sk Stredné
|
||||
menu common sk Menu
|
||||
merge table cells tinymce sk Zlúèi» bunky tabuµky
|
||||
message common sk Správa
|
||||
mexico common sk MEXIKO
|
||||
minute common sk Minúta
|
||||
mkdir failed. tinymce sk Vytvorenie adresára sa nepodarilo.
|
||||
moldova, republic of common sk MOLDAVSKÁ REPUBLIKA
|
||||
monaco common sk MONAKO
|
||||
monday common sk Pondelok
|
||||
mongolia common sk MONGOLSKO
|
||||
morocco common sk MAROKO
|
||||
move tinymce sk Presunú»
|
||||
mozambique common sk MOZAMBIK
|
||||
multiple common sk viacero
|
||||
name common sk Meno
|
||||
@ -430,11 +352,6 @@ netherlands antilles common sk HOLANDSK
|
||||
never common sk Nikdy
|
||||
new caledonia common sk NOVÁ KALEDÓNIA
|
||||
new entry added sucessfully common sk Nový záznam bol úspe¹ne pridaný
|
||||
new file name missing! tinymce sk Chýba nový názov súboru!
|
||||
new file name: tinymce sk Nový názov súboru:
|
||||
new folder tinymce sk Nový prieèinok
|
||||
new folder name missing! tinymce sk Chýba nový názov prieèinka!
|
||||
new folder name: tinymce sk Nový názov prienèinka:
|
||||
new main category common sk Nová hlavná kategória
|
||||
new value common sk Nová hodnota
|
||||
new zealand common sk NOVÝ ZÉLAND
|
||||
@ -446,15 +363,8 @@ nicaragua common sk NIKARAGUA
|
||||
nigeria common sk NIGÉRIA
|
||||
no common sk Nie
|
||||
no entries found, try again ... common sk niè som nena¹iel, skúste znovu...
|
||||
no files... tinymce sk 0 súborov...
|
||||
no history for this record common sk ®iadna história pre tento záznam
|
||||
no permission to create folder. tinymce sk Nemáte oprávnenie na vytvorenie prieèinka.
|
||||
no permission to delete file. tinymce sk Nemáte oprávnenie na zmazanie súboru.
|
||||
no permission to move files and folders. tinymce sk Nemáte oprávnenie na presunutie súborov a prieèinkov.
|
||||
no permission to rename files and folders. tinymce sk Nemáte oprávnenie na premenovanie súborov a prieèinkov.
|
||||
no permission to upload. tinymce sk Nemáte oprávnenie na nahratie.
|
||||
no savant2 template directories were found in: common sk ®iadne adresáre ¹ablóny Savant2 sa nena¹li v:
|
||||
no shadow tinymce sk ®iadny tieò
|
||||
no subject common sk Nebol uvedený Predmet
|
||||
none common sk ®iadne
|
||||
normal common sk Normálna
|
||||
@ -470,24 +380,14 @@ ok common sk OK
|
||||
old value common sk Stará hodnota
|
||||
on *nix systems please type: %1 common sk Na *NIX systémoch prosím napí¹te: %1
|
||||
on mouse over common sk Pri namierení my¹i
|
||||
only files with extensions are permited, e.g. "imagefile.jpg". tinymce sk Povolené sú len súbory s príponou, napr. "obrazok.jpg"
|
||||
only private common sk iba súkromné
|
||||
only yours common sk iba va¹e
|
||||
open file in new window tinymce sk Otvori» súbor v novom okne
|
||||
open in new window tinymce sk Otvori» v novom okne
|
||||
open in parent window / frame tinymce sk Otvori» v rodièovskom okne / rámci
|
||||
open in the window tinymce sk Otvori» v okne
|
||||
open in this window / frame tinymce sk Otvori» v tomto okne / rámci
|
||||
open in top frame (replaces all frames) tinymce sk Otvori» vo vrchnom rámci (nahradí v¹etky rámce)
|
||||
open link in a new window tinymce sk Otvori» odkaz v novom okne
|
||||
open link in the same window tinymce sk Otvori» odkaz v tom istom okne
|
||||
open notify window common sk Otvor pripomínacie okno
|
||||
open popup window common sk Otvor vyskakovacie okno
|
||||
open sidebox common sk Otvor Sidebox
|
||||
ordered list common sk Zotriedený zoznam
|
||||
original common sk Originál
|
||||
other common sk Iný
|
||||
outdent tinymce sk Odsek
|
||||
overview common sk Prehµad
|
||||
owner common sk Vlastník
|
||||
page common sk Stránka
|
||||
@ -505,11 +405,6 @@ password must contain at least %1 numbers common sk Heslo mus
|
||||
password must contain at least %1 special characters common sk Heslo musí obsahova» aspoò %1 ¹peciálnych znakov
|
||||
password must contain at least %1 uppercase letters common sk Heslo musí obsahova» aspoò %1 veµkých písmen
|
||||
password must have at least %1 characters common sk Heslo musí ma» då¾ku aspoò %1 znakov
|
||||
paste as plain text tinymce sk Vlo¾i» ako neformátovaný text
|
||||
paste from word tinymce sk Vlo¾i» z Wordu
|
||||
paste table row after tinymce sk Vlo¾i» riadok tabuµky ZA
|
||||
paste table row before tinymce sk Vlo¾i» riadok tabuµky PRED
|
||||
path not found. tinymce sk Cesta sa nena¹la.
|
||||
path to user and group files has to be outside of the webservers document-root!!! common sk Cesta k súborom pou¾ívateµa a skupiny MUSÍ BY« MIMO document-root webservera!!!
|
||||
pattern for search in addressbook common sk Výraz pre hµadanie v Adresári
|
||||
pattern for search in calendar common sk Výraz pre hµadanie v Kalendári
|
||||
@ -522,8 +417,6 @@ phone number common sk telef
|
||||
phpgwapi common sk eGroupWare API
|
||||
please %1 by hand common sk Prosím %1 ruène
|
||||
please enter a name common sk Prosím zadajte meno !
|
||||
please enter the caption text tinymce sk Prosím zadajte text upútavky
|
||||
please insert a name for the target or choose another option. tinymce sk Prosím vlo¾te názov cieµa alebo zvoµte inú mo¾nos».
|
||||
please run setup to become current common sk Prosím spus»te setup pre aktualizáciu
|
||||
please select common sk Prosím Vyberte
|
||||
please set your global preferences common sk Prosím upravte va¹e globálne nastavenia!
|
||||
@ -531,7 +424,6 @@ please set your preferences for this application common sk Pros
|
||||
please wait... common sk Prosím èakajte...
|
||||
poland common sk PO¥SKO
|
||||
portugal common sk PORTUGALSKO
|
||||
position (x/y) tinymce sk Pozícia (X/Y)
|
||||
postal common sk Po¹tové
|
||||
powered by egroupware version %1 common sk Be¾í na <a href="http://www.egroupware.org">eGroupWare</a> verzie %1
|
||||
powered by phpgroupware version %1 common sk Be¾í na eGroupWare verzie %1
|
||||
@ -539,7 +431,6 @@ preferences common sk Nastavenia
|
||||
preferences for the idots template set common sk Urèené nastavenia pre idots ¹ablónu
|
||||
prev. month (hold for menu) jscalendar sk Predch. mesiac (podr¾te pre menu)
|
||||
prev. year (hold for menu) jscalendar sk Predch. rok (podr¾te pre menu)
|
||||
preview tinymce sk Náhµad
|
||||
previous page common sk Predchádzajúca stránka
|
||||
print common sk Tlaè
|
||||
priority common sk Priorita
|
||||
@ -550,25 +441,17 @@ public common sk Verejn
|
||||
read common sk Èíta»
|
||||
read this list of methods. common sk Èítaj tento zoznam metód.
|
||||
reading common sk Naèítavam
|
||||
redo tinymce sk Znovu
|
||||
refresh tinymce sk Obnovi»
|
||||
reject common sk Odmietnu»
|
||||
remove col tinymce sk Odstráni» ståpec
|
||||
remove selected accounts common sk Odstráni» vybrané úèty
|
||||
remove shortcut common sk Odstráni» skratku
|
||||
rename common sk Premenova»
|
||||
rename failed tinymce sk Premenovanie neprebehlo
|
||||
replace common sk Nahradi»
|
||||
replace with common sk Zameni» za
|
||||
replace all tinymce sk Nahradi» v¹etky
|
||||
returns a full list of accounts on the system. warning: this is return can be quite large common sk Vráti úplný zoznam úètov v systéme. Upozornenie: mô¾e by» pomerne rozsiahly
|
||||
returns an array of todo items common sk Vracia pole úloh
|
||||
returns struct of users application access common sk Vracia ¹truktúru pou¾ívateµského prístupu k aplikáciám
|
||||
right common sk Vpravo
|
||||
rmdir failed. tinymce sk Odstránenie adresára neprebehlo.
|
||||
romania common sk RUMUNSKO
|
||||
rows tinymce sk Riadky
|
||||
run spell checking tinymce sk Skontroluj pravopis
|
||||
russian federation common sk RUSKÁ FEDERÁCIA
|
||||
rwanda common sk RWANDA
|
||||
saint helena common sk SVÄTÁ HELENA
|
||||
@ -584,7 +467,6 @@ search or select multiple accounts common sk h
|
||||
second common sk sekunda
|
||||
section common sk Sekcia
|
||||
select common sk Výber
|
||||
select all tinymce sk Vybra» v¹etko
|
||||
select all %1 %2 for %3 common sk Vyber v¹etky %1 %2 pre %3
|
||||
select category common sk Vyber kategóriu
|
||||
select date common sk Vyber dátum
|
||||
@ -610,22 +492,16 @@ show all common sk Uk
|
||||
show all categorys common sk Ukáza» v¹etky kategórie
|
||||
show clock? common sk Ukáza» hodinky?
|
||||
show home and logout button in main application bar? common sk Ukáza» tlaèítko Domovskej stránky a tlaèítko Odhlásenia v hlavnom paneli aplikácií?
|
||||
show locationbar tinymce sk Ukáza» panel umiestnenia
|
||||
show logo's on the desktop. common sk Ukáza» na desktope logá .
|
||||
show menu common sk ukáza» menu
|
||||
show menubar tinymce sk Ukáza» panel menu
|
||||
show page generation time common sk Uká¾ èas generovania stránky
|
||||
show page generation time on the bottom of the page? common sk Ukáza» èas generovania stránky na jej spodku?
|
||||
show page generation time? common sk Ukáza» èas generovania stránky?
|
||||
show scrollbars tinymce sk Ukáza» scrollbars
|
||||
show statusbar tinymce sk Ukáza» stavový panel
|
||||
show the logo's of egroupware and x-desktop on the desktop. common sk Zobrazova» na desktope logá eGroupWare a x-desktopu.
|
||||
show toolbars tinymce sk Ukáza» panel nástrojov
|
||||
show_more_apps common sk ukáza» viacero aplikácií
|
||||
showing %1 common sk zobrazené %1
|
||||
showing %1 - %2 of %3 common sk zobrazené %1 - %2 z %3
|
||||
singapore common sk SINGAPUR
|
||||
size tinymce sk Veµkos»
|
||||
slovakia common sk SLOVENSKO
|
||||
slovenia common sk SLOVINSKO
|
||||
solomon islands common sk ©ALAMÚNOVE OSTROVY
|
||||
@ -633,7 +509,6 @@ somalia common sk SOM
|
||||
sorry, your login has expired login sk Prepáète, platnost vá¹ho prihlásenia u¾ vypr¹ala
|
||||
south africa common sk JU®NÁ AFRIKA
|
||||
spain common sk ©PANIELSKO
|
||||
split table cells tinymce sk Rozdeli» bunky tabuµky
|
||||
sri lanka common sk SRÍ LANKA
|
||||
start date common sk Poèiatoèný dátum
|
||||
start time common sk Poèiatoèný èas
|
||||
@ -641,7 +516,6 @@ start with common sk za
|
||||
starting up... common sk ©tartujem...
|
||||
status common sk Stav
|
||||
stretched common sk natiahnuté
|
||||
striketrough tinymce sk Preèiarknu»
|
||||
subject common sk Predmet
|
||||
submit common sk Potvrdi»
|
||||
substitutions and their meanings: common sk Substitúcie a ich významy:
|
||||
@ -650,22 +524,16 @@ sunday common sk Nede
|
||||
suriname common sk SURINAM
|
||||
sweden common sk ©VÉDSKO
|
||||
switzerland common sk ©VAJÈIARSKO
|
||||
table cell properties tinymce sk Nastavenia bunky tabuµky
|
||||
table properties common sk Nastavenia tabuµky
|
||||
table row properties tinymce sk Nastavenia riadku tabuµky
|
||||
tajikistan common sk TAD®IKISTAN
|
||||
target tinymce sk Cieµ
|
||||
text color: common sk Farba písma:
|
||||
thailand common sk THAJSKO
|
||||
the api is current common sk API je aktuálne
|
||||
the api requires an upgrade common sk API potrebuje upgrade
|
||||
the following applications require upgrades common sk Nasledujúce aplikácie vy¾adujú upgrade
|
||||
the mail server returned common sk Po¹tový server vrátil
|
||||
the search has been compleated. the search string could not be found. tinymce sk Hµadanie sa skonèilo, bez priaznivého výsledku.
|
||||
this application is current common sk Táto aplikácia je aktuálna
|
||||
this application requires an upgrade common sk Táto aplikácia vy¾aduje upgrade
|
||||
this is just a template button tinymce sk Toto je iba ¹ablónové tlaèítko
|
||||
this is just a template popup tinymce sk Toto je len ¹ablónový popup
|
||||
this name has been used already common sk Toto meno sa u¾ pou¾íva!
|
||||
thursday common sk ©tvrtok
|
||||
tiled common sk dla¾dice
|
||||
@ -680,7 +548,6 @@ to go back to the msg list, click <a href= %1 >here</a> common sk <a href="%1">N
|
||||
today common sk Dnes
|
||||
todays date, eg. "%1" common sk dne¹ný dátum, napr. "%1"
|
||||
toggle first day of week jscalendar sk Urèi» prvý deò tý¾dòa
|
||||
toggle fullscreen mode tinymce sk Prepnú» celoobrazovkový re¾im
|
||||
too many unsucessful attempts to login: %1 for the user '%2', %3 for the ip %4 common sk Príli¹ veµa neúspe¹ných pokusov o prihlásenie: %1 na pou¾ívateµa '%2', %3 na IP %4
|
||||
top common sk Vrch
|
||||
total common sk Spolu
|
||||
@ -693,26 +560,18 @@ type common sk Typ
|
||||
uganda common sk UGANDA
|
||||
ukraine common sk UKRAJINA
|
||||
underline common sk Podèiarknu»
|
||||
undo tinymce sk Spä»
|
||||
united arab emirates common sk SPOJENÉ ARABSKÉ EMIRÁTY
|
||||
united states common sk USA
|
||||
unknown common sk Neznámy
|
||||
unlink tinymce sk Zru¹ odkaz
|
||||
unlink failed. tinymce sk Zru¹enie odkazu sa nepodarilo.
|
||||
unordered list tinymce sk Nezotriedený zoznam
|
||||
up tinymce sk Hore
|
||||
update common sk Aktualizácia
|
||||
update the clock per minute or per second common sk Obnovova» hodinky po sekundách alebo po minútach
|
||||
upload common sk Nahra»
|
||||
upload directory does not exist, or is not writeable by webserver common sk Adresár pre nahratie buï neexistuje, alebo doò webserver nemô¾e zapisova».
|
||||
uploading... tinymce sk Nahrávam...
|
||||
url common sk URL
|
||||
use button to search for common sk stlaè Tlaèidlo pre vyhµadanie
|
||||
use button to search for address common sk stlaè Tlaèidlo pre vyhµadanie adresy
|
||||
use button to search for calendarevent common sk stlaè Tlaèidlo pre vyhµadanie záznamu v Kalendári
|
||||
use button to search for project common sk stlaè Tlaèidlo pre vyhµadanie projektu
|
||||
use ctrl and/or shift to select multiple items. tinymce sk Pre výber viacerých objektov pou¾ite Ctrl a/alebo Shift.
|
||||
use ctrl+v on your keyboard to paste the text into the window. tinymce sk Pre vlo¾enie do okna, pou¾ite Ctrl+V.
|
||||
user common sk Pou¾ívateµ
|
||||
user accounts common sk pou¾ívateµské úèty
|
||||
user groups common sk pou¾ívateµské skupiny
|
||||
@ -722,11 +581,8 @@ users common sk pou
|
||||
users choice common sk Pou¾ívateµská Ponuka
|
||||
venezuela common sk VENEZUELA
|
||||
version common sk Verzia
|
||||
vertical alignment tinymce sk Zvislé zarovnanie
|
||||
viet nam common sk VIETNAM
|
||||
view common sk Zobrazi»
|
||||
warning!\n renaming or moving folders and files will break existing links in your documents. continue? tinymce sk Pozor!\n Premenovanie alebo presun prieèinkov a súborov poru¹í existujúce odkazy vo va¹ich dokumentoch. Pokraèova»?
|
||||
warning!n renaming or moving folders and files will break existing links in your documents. continue? tinymce sk Pozor!\n Premenovanie alebo presun prieèinkov a súborov poru¹í existujúce odkazy vo va¹ich dokumentoch. Pokraèova»?
|
||||
wednesday common sk Streda
|
||||
welcome common sk Vitajte
|
||||
what color should all the blank space on the desktop have common sk Akú farbu má ma» v¹etok prázdny priestor na desktope
|
||||
@ -734,7 +590,6 @@ what style would you like the image to have? common sk Ak
|
||||
when you say yes the home and logout buttons are presented as applications in the main top applcation bar. common sk Keï odpoviete áno, tlaèítka Domov a Odhlásenie sa zobrazia ako aplikácie v hlavnom paneli aplikácií.
|
||||
which groups common sk Ktoré skupiny
|
||||
width common sk ©írka
|
||||
window name tinymce sk Názov okna
|
||||
wk jscalendar sk Tý¾
|
||||
work email common sk pracovný email
|
||||
would you like to display the page generation time at the bottom of every window? common sk Chcete, aby sa naspodku stránky zobrazoval èas jej generovania?
|
||||
@ -752,7 +607,6 @@ you have not entered participants common sk Nezadali ste spolupracovn
|
||||
you have selected an invalid date common sk Vybrali ste chybný dátum!
|
||||
you have selected an invalid main category common sk Vybrali ste chybnú hlavnú kategóriu!
|
||||
you have successfully logged out common sk Boli ste úspe¹ne odhlásení.
|
||||
you must enter the url tinymce sk Musíte zada» URL
|
||||
you need to add the webserver user '%1' to the group '%2'. common sk Potrebujete priradi» webserverového pou¾ívateµa '%1' do skupiny '%2'.
|
||||
your message could <b>not</b> be sent!<br> common sk Va¹u správu sa <b>nepodarilo</b> odosla»!<br>
|
||||
your message has been sent common sk Va¹a správa bola odoslaná
|
||||
|
@ -16,7 +16,6 @@
|
||||
3 number of chars for day-shortcut jscalendar sl 3 - število znakov za okrajšavo dneva
|
||||
3 number of chars for month-shortcut jscalendar sl 3 - število znakov za okrajšavo meseca
|
||||
80 (http) admin sl 80 (http)
|
||||
a editor instance must be focused before using this command. tinymce sl Pred uporabo tega ukaza morate klikniti v urejevalnik.
|
||||
about common sl Vizitka
|
||||
about %1 common sl Vizitka aplikacije %1
|
||||
about egroupware common sl O programu eGroupware
|
||||
@ -41,17 +40,10 @@ administration common sl Administracija
|
||||
afghanistan common sl AFGANISTAN
|
||||
albania common sl ALBANIJA
|
||||
algeria common sl ALŽIRIJA
|
||||
align center tinymce sl Poravnaj na sredino
|
||||
align full tinymce sl Poravnaj obojestransko
|
||||
align left tinymce sl Poravnaj levo
|
||||
align right tinymce sl Poravnaj desno
|
||||
alignment tinymce sl Poravnava
|
||||
all common sl Vse
|
||||
all fields common sl vsa polja
|
||||
all occurrences of the search string was replaced. tinymce sl Vse pojavitve iskanega niza so bile zamenjane.
|
||||
alphabet common sl a,b,c,č,d,e,f,g,h,i,j,k,l,m,n,o,p,q,r,s,š,t,u,v,w,x,y,z,ž
|
||||
alternate style-sheet: common sl Nadomestna (CSS) predloga
|
||||
alternative image tinymce sl Nadomestna slika
|
||||
american samoa common sl AMERIŠKA SAMOA
|
||||
andorra common sl ANDORA
|
||||
angola common sl ANGOLA
|
||||
@ -91,14 +83,12 @@ belgium common sl BELGIJA
|
||||
belize common sl BELIZE
|
||||
benin common sl BENIN
|
||||
bermuda common sl BERMUDI
|
||||
bg color tinymce sl Barva ozadnja
|
||||
bhutan common sl BUTAN
|
||||
blocked, too many attempts common sl Zaklenjeno: preveč poskusov.
|
||||
bold common sl Krepko
|
||||
bold.gif common sl bold.gif
|
||||
bolivia common sl BOLIVIJA
|
||||
border common sl Rob
|
||||
border color tinymce sl Barva obrobe
|
||||
bosnia and herzegovina common sl BOSNA IN HERCEGOVINA
|
||||
botswana common sl BOCVANA
|
||||
bottom common sl Dno
|
||||
@ -125,9 +115,6 @@ category %1 has been added ! common sl Dodana je bila kategorija %1!
|
||||
category %1 has been updated ! common sl Osvežena je bila kategorija %1!
|
||||
cayman islands common sl KAJMANSKI OTOKI
|
||||
cc common sl CC
|
||||
cellpadding tinymce sl Razmik med robom in vsebino celice
|
||||
cellspacing tinymce sl Razmik med dvema celicama
|
||||
center tinymce sl Sredina
|
||||
centered common sl Na sredini
|
||||
central african republic common sl SREDNJEAFRIŠKA REPUBLIKA
|
||||
chad common sl ČAD
|
||||
@ -142,12 +129,9 @@ choose a background color for the icons common sl Izberite barvo ozadja za ikone
|
||||
choose a background image. common sl Izberite sliko za ozadje.
|
||||
choose a background style. common sl Izberite slog ozadja.
|
||||
choose a text color for the icons common sl Izberite barvo besedila za ikoneozadja
|
||||
choose directory to move selected folders and files to. tinymce sl Izberite mapo, v katero želite premakniti izbrane mape in datoteke.
|
||||
choose the category common sl Izberi kategorijo
|
||||
choose the parent category common sl Izberi nadrejeno kategorijo
|
||||
christmas island common sl BOŽIČNI OTOK
|
||||
class tinymce sl Razred
|
||||
cleanup messy code tinymce sl Počisti grdo kodo
|
||||
clear common sl Izprazni
|
||||
clear form common sl Izprazni formo
|
||||
click common sl Klikni
|
||||
@ -157,20 +141,14 @@ close common sl Zapri
|
||||
close sidebox common sl Zapri stranski meni
|
||||
cocos (keeling) islands common sl KOKOSOVI (KEELINGOVI) OTOKI
|
||||
colombia common sl KOLUMBIJA
|
||||
columns tinymce sl Stolpci
|
||||
comment tinymce sl Komentar
|
||||
common preferences common sl Skupne nastavitve
|
||||
comoros common sl KOMORI
|
||||
company common sl Podjetje
|
||||
configuration problem tinymce sl Problem s konfiguracijo
|
||||
congo common sl KONGO
|
||||
congo, the democratic republic of the common sl KONGO, DEMOKRATIČNA REPUBLIKA
|
||||
contacting server... common sl Vzpostavljanje povezave ...
|
||||
cook islands common sl COOKOVI OTOKI
|
||||
copy common sl Kopiraj
|
||||
copy table row tinymce sl Kopiraj vrstico tabele
|
||||
copy/cut/paste is not available in mozilla and firefox.\ndo you want more information about this issue? tinymce sl Kopiraj/Izreži/Prilepi ni na voljo v Mozilli in Firefoxu.\nŽelite več informacij o tem problemu?
|
||||
copy/cut/paste is not available in mozilla and firefox.ndo you want more information about this issue? tinymce sl Kopiraj/Izreži/Prilepi ni na voljo v Mozilli in Firefoxu.\nŽelite več informacij o tem problemu?
|
||||
costa rica common sl KOSTARIKA
|
||||
cote d ivoire common sl SLONOKOŠČENA OBALA
|
||||
could not contact server. operation timed out! common sl Nisem mogel vzpostaviti povezave s strežnikom. Časovna omejitev se je iztekla!
|
||||
@ -181,16 +159,13 @@ cuba common sl KUBA
|
||||
currency common sl Valuta
|
||||
current common sl Trenutno
|
||||
current users common sl Trenutni uporabniki
|
||||
cut table row tinymce sl Izreži vrstico tabele
|
||||
cyprus common sl CIPER
|
||||
czech republic common sl ČEŠKA REPUBLIKA
|
||||
date common sl Datum
|
||||
date due common sl Rok
|
||||
date modified tinymce sl Datum spremenjen
|
||||
date selection: jscalendar sl Izbor datuma
|
||||
datetime port.<br>if using port 13, please set firewall rules appropriately before submitting this page.<br>(port: 13 / host: 129.6.15.28) admin sl Vrata za datum in čas. Če uporabljate vrata 13, nastavite ustrezne parametre požarnega zidu preden potrdite to stran.<br> (Vrata: 13/ Strežnik: 129.6.15.28)
|
||||
december common sl December
|
||||
default tinymce sl Privzeto
|
||||
default category common sl Privzeta kategorija
|
||||
default height for the windows common sl Privzeta višina oken
|
||||
default width for the windows common sl Privzeta širina oken
|
||||
@ -201,10 +176,7 @@ description common sl Opis
|
||||
detail common sl Podrobnost
|
||||
details common sl Podrobnosti
|
||||
diable the execution a bugfixscript for internet explorer 5.5 and higher to show transparency in png-images? common sl Onemogoči izvajanje skripte, ki popravi hrošča pri prikazu transparentnih PNG slik v Microsoft Internet Explorerju 5.5 in višjih?
|
||||
direction tinymce sl Smer
|
||||
direction left to right common sl Smer levo proti desni
|
||||
direction right to left tinymce sl Smer desno proti levi
|
||||
directory tinymce sl Mapa
|
||||
disable internet explorer png-image-bugfix common sl Onemogoči popravek PNG hrošča v IE?
|
||||
disable slider effects common sl Onemogoči učinek drsnika
|
||||
disable the animated slider effects when showing or hiding menus in the page? opera and konqueror users will probably must want this. common sl Onemogoči animirane učinke drsnika ob prikazu menija ob strani? Uporabniki Opere in Konquererja bodo verjetno hoteli to možnost.
|
||||
@ -213,7 +185,6 @@ disabled common sl Onemogočeno
|
||||
display %s first jscalendar sl Pokaži najprej %1
|
||||
djibouti common sl DŽIBUTI
|
||||
do you also want to delete all subcategories ? common sl Ali želite izbrisati tudi podkategorije?
|
||||
do you want to use the wysiwyg mode for this textarea? tinymce sl Želite uporabiti način WYSIWYG za to področje z besedilom?
|
||||
doctype: common sl DOCTYPE:
|
||||
document properties common sl Lastnosti dokumenta
|
||||
document title: common sl Naziv dokumenta
|
||||
@ -223,7 +194,6 @@ domestic common sl Domač
|
||||
dominica common sl DOMINIKA
|
||||
dominican republic common sl DOMINIKANSKA REPUBLIKA
|
||||
done common sl Končano
|
||||
down tinymce sl Dol
|
||||
drag to move jscalendar sl Povleci za premik
|
||||
e-mail common sl E-pošta
|
||||
east timor common sl VZHODNI TIMOR
|
||||
@ -238,7 +208,6 @@ egypt common sl EGIPT
|
||||
el salvador common sl SALVADOR
|
||||
email common sl E-pošta
|
||||
email-address of the user, eg. "%1" common sl E-naslov uporabnika, npr. "%1"
|
||||
emotions tinymce sl Smeški
|
||||
en common sl en
|
||||
enabled common sl Omogočeno
|
||||
end date common sl Končni datum
|
||||
@ -262,39 +231,15 @@ fax number common sl Faks
|
||||
february common sl Februar
|
||||
fields common sl Polja
|
||||
fiji common sl FIDŽI
|
||||
file already exists. file was not uploaded. tinymce sl Datoteka že obstaja, zato ni bila prenešena.
|
||||
file exceeds the size limit tinymce sl Datoteka je večja od dovoljene velikosti
|
||||
file manager tinymce sl Upravljalec datotek
|
||||
file not found. tinymce sl Ne najdem datoteke.
|
||||
file was not uploaded. tinymce sl Datoteka ni bila prenešena.
|
||||
file with specified new name already exists. file was not renamed/moved. tinymce sl Datoteka z navedenim imenom že obstaja, zato ni bila preimenovana/premaknjena.
|
||||
file(s) tinymce sl Datoteka/-e
|
||||
file: tinymce sl Datoteka:
|
||||
files common sl Datoteke
|
||||
files with this extension are not allowed. tinymce sl Datoteke s to končnico niso dovoljene.
|
||||
filter common sl Filter
|
||||
find tinymce sl Najdi
|
||||
find again tinymce sl Najdi ponovno
|
||||
find what tinymce sl Besedilo za iskanje
|
||||
find next tinymce sl Najdi naslednje
|
||||
find/replace tinymce sl Najdi/zamenjaj
|
||||
finland common sl FINSKA
|
||||
first name common sl Ime
|
||||
first name of the user, eg. "%1" common sl Ime uporabnika, npr. "%1"
|
||||
first page common sl Prva stran
|
||||
firstname common sl Ime
|
||||
fixme! common sl POPRAVI ME!
|
||||
flash files tinymce sl Datoteke flash
|
||||
flash properties tinymce sl Lastnosti flash
|
||||
flash-file (.swf) tinymce sl Datoteka flash (.swf)
|
||||
folder tinymce sl Mapa
|
||||
folder already exists. common sl Mapa že obstaja.
|
||||
folder name missing. tinymce sl Manjka ime mape.
|
||||
folder not found. tinymce sl Mapa ni bila najdena.
|
||||
folder with specified new name already exists. folder was not renamed/moved. tinymce sl Mapa z navedenim imenom že obstaja, zato ni bila preimenovana/premaknjena.
|
||||
folder(s) tinymce sl Mapa/-e
|
||||
for mouse out tinymce sl Pri izhodu z miško
|
||||
for mouse over tinymce sl Pri prehodu z miško
|
||||
force selectbox common sl Vsili izbirna polja
|
||||
france common sl FRANCIJA
|
||||
french guiana common sl FRANCOSKA GVAJANA
|
||||
@ -352,30 +297,15 @@ iceland common sl ISLANDIJA
|
||||
iespell not detected. click ok to go to download page. common sl ieSpell ni bil zaznan. Kliknite V redu za obisk spletne strani za prenos.
|
||||
if the clock is enabled would you like it to update it every second or every minute? common sl Če je ura omogočena, bi jo radi posodobili vsako sekundo ali vsako minutu?
|
||||
if there are some images in the background folder you can choose the one you would like to see. common sl Če so v mapi kakšne slike, lahko izberete tisto, ki jo želite videti.
|
||||
image description tinymce sl Opis slike
|
||||
image title tinymce sl Naslov slike
|
||||
image url common sl URL podobe
|
||||
indent tinymce sl Zamik
|
||||
india common sl INDIJA
|
||||
indonesia common sl INDONEZIJA
|
||||
insert tinymce sl Vstavi
|
||||
insert 'return false' common sl Vstavi 'return false'
|
||||
insert / edit flash movie tinymce sl Vstavi / uredi film Flash
|
||||
insert / edit horizontale rule tinymce sl Vstavi / uredi vodoravno ravnilo
|
||||
insert all %1 addresses of the %2 contacts in %3 common sl Vstavi vseh %1 naslovov iz %2 kontaktov v %3
|
||||
insert column after common sl Vstavi stolpec za izbranim
|
||||
insert column before common sl Vstavi stolpec pred izbranim
|
||||
insert date tinymce sl Vstavi datum
|
||||
insert emotion tinymce sl Vstavi smeška
|
||||
insert file tinymce sl Vstavi datoteko
|
||||
insert link to file tinymce sl Vstavi povezavo do datoteke
|
||||
insert row after common sl Vstavi vrstico za izbranim
|
||||
insert row before common sl Vstavi vrstico pred izbrano
|
||||
insert time tinymce sl Vstavi čas
|
||||
insert/edit image tinymce sl Vstavi/uredi sliko
|
||||
insert/edit link tinymce sl Vstavi/uredi povezavo
|
||||
insert/modify table tinymce sl Vstavi/spremeni tabelo
|
||||
inserts a new table tinymce sl Vstavi novo tabelo
|
||||
international common sl Mednarodni
|
||||
invalid filename common sl Napačno ime datotke
|
||||
invalid ip address common sl Napačna IP številka
|
||||
@ -393,7 +323,6 @@ jamaica common sl JAMAJKA
|
||||
january common sl Januar
|
||||
japan common sl JAPONSKA
|
||||
jordan common sl JORDANIJA
|
||||
js-popup tinymce sl JS-Popup
|
||||
july common sl Julij
|
||||
jun common sl Jun
|
||||
june common sl Junij
|
||||
@ -402,7 +331,6 @@ justify full common sl Poravnaj obojestransko
|
||||
justify left common sl Poravnaj levo
|
||||
justify right common sl Poravnaj desno
|
||||
kazakstan common sl KAZAHSTAN
|
||||
keep linebreaks tinymce sl Obdrži prelome vrstic
|
||||
kenya common sl KENIJA
|
||||
keywords common sl Ključne besede
|
||||
kiribati common sl KIRIBATI
|
||||
@ -427,11 +355,9 @@ libyan arab jamahiriya common sl LIBIJA
|
||||
license common sl Licenca
|
||||
liechtenstein common sl LICHTENSTEIN
|
||||
line %1: '%2'<br><b>csv data does not match column-count of table %3 ==> ignored</b> common sl Vrstica %1: '%2'<br><b>CSV podatki se ne ujemajo s številom stolpcev v tabeli %3==>zavrnjen</b>
|
||||
link url tinymce sl URL povezava
|
||||
list common sl Seznam
|
||||
list members common sl Seznam članov
|
||||
lithuania common sl LITVA
|
||||
loading files tinymce sl Nalagam datoteke
|
||||
local common sl Lokalno
|
||||
login common sl Prijava
|
||||
loginid common sl Uporabniško ime
|
||||
@ -446,7 +372,6 @@ mail domain, eg. "%1" common sl E-poštna domena, npr. "%1"
|
||||
main category common sl Glavna kategorija
|
||||
main screen common sl Glavni zaslon
|
||||
maintainer common sl Vzdrževalec
|
||||
make window resizable tinymce sl Ustvari okno s spremenljivo velikostjo
|
||||
malawi common sl MALAVI
|
||||
malaysia common sl MALEZIJA
|
||||
maldives common sl MALDIVI
|
||||
@ -455,7 +380,6 @@ malta common sl MALTA
|
||||
march common sl Marec
|
||||
marshall islands common sl MARSHALLOVO OTOČJE
|
||||
martinique common sl MARTINIQUE
|
||||
match case tinymce sl Razlikuj velike in male črke
|
||||
mauritania common sl MAVRETANIJA
|
||||
mauritius common sl MAVRICIUS
|
||||
max number of icons in navbar common sl Največje število ikon v orodni vrstici
|
||||
@ -463,19 +387,16 @@ may common sl Maj
|
||||
mayotte common sl MAYOTTE
|
||||
medium common sl Srednje
|
||||
menu common sl Meni
|
||||
merge table cells tinymce sl Spoji celice tabele
|
||||
message common sl Sporočilo
|
||||
mexico common sl MEHIKA
|
||||
micronesia, federated states of common sl MIKRONEZIJA
|
||||
minute common sl minuta
|
||||
mkdir failed. tinymce sl Ustvarjanje mape ni uspelo.
|
||||
moldova, republic of common sl MOLDAVIJA
|
||||
monaco common sl MONAKO
|
||||
monday common sl Ponedeljek
|
||||
mongolia common sl MONGOLIJA
|
||||
montserrat common sl MONSERRAT
|
||||
morocco common sl MAROKO
|
||||
move tinymce sl Premakni
|
||||
mozambique common sl MOZAMBIK
|
||||
multiple common sl Mnogokraten
|
||||
myanmar common sl MJANMAR
|
||||
@ -489,11 +410,6 @@ netherlands antilles common sl NIZOZEMSKI ANTILI
|
||||
never common sl Nikoli
|
||||
new caledonia common sl NOVA KALEDONIJA
|
||||
new entry added sucessfully common sl Nov vnos je uspešno dodan.
|
||||
new file name missing! tinymce sl Manjka ime nove datoteke!
|
||||
new file name: tinymce sl Ime nove datoteke:
|
||||
new folder tinymce sl Nova mapa
|
||||
new folder name missing! tinymce sl Manjka ime nove mape!
|
||||
new folder name: tinymce sl Ime nove mape:
|
||||
new main category common sl Nova glavna kategorija
|
||||
new value common sl Nova vrednost
|
||||
new zealand common sl NOVA ZELANDIJA
|
||||
@ -507,15 +423,8 @@ nigeria common sl NIGERIJA
|
||||
niue common sl NIUE
|
||||
no common sl Ne
|
||||
no entries found, try again ... common sl Ne najdem vnosov. Poskusite ponovno...
|
||||
no files... tinymce sl Ni datotek ...
|
||||
no history for this record common sl Ni zgodovine za ta zapis.
|
||||
no permission to create folder. tinymce sl Nimate pravice ustvariti mape.
|
||||
no permission to delete file. tinymce sl Nimate pravice brisanja datoteke.
|
||||
no permission to move files and folders. tinymce sl Nimate pravice premikati datoteke ali mape.
|
||||
no permission to rename files and folders. tinymce sl Nimate pravice preimenovati datoteke ali mape.
|
||||
no permission to upload. tinymce sl Nimate pravice nalaganja.
|
||||
no savant2 template directories were found in: common sl Mape s predlogo Savant2 ni bilo mogoče najti v:
|
||||
no shadow tinymce sl Brez sence
|
||||
no subject common sl Brez zadeve
|
||||
none common sl Noben
|
||||
norfolk island common sl OTOK NORFOLK
|
||||
@ -534,24 +443,14 @@ old value common sl Stara vrednost
|
||||
oman common sl OMAN
|
||||
on *nix systems please type: %1 common sl Na *nix sistemih vnesite: %1
|
||||
on mouse over common sl Ob prehodu z miško
|
||||
only files with extensions are permited, e.g. "imagefile.jpg". tinymce sl Dovoljene so samo datoteke s končnicami, npr. "slika.jpg"
|
||||
only private common sl Samo zasebno
|
||||
only yours common sl Samo vaše
|
||||
open file in new window tinymce sl Odpri datoteko v novem oknu
|
||||
open in new window tinymce sl Odpri v novem oknu
|
||||
open in parent window / frame tinymce sl Odpri v drugem oknu / okvirju
|
||||
open in the window tinymce sl Odpri v novem oknu
|
||||
open in this window / frame tinymce sl Odpri v tem oknu / okvirju
|
||||
open in top frame (replaces all frames) tinymce sl Odpri v zgornjam okvirju (zamenja vse okvirje)
|
||||
open link in a new window tinymce sl Odpri povezavo v novem oknu
|
||||
open link in the same window tinymce sl Odpri povezavo v istem oknu
|
||||
open notify window common sl Odpri okno z opozorilom
|
||||
open popup window common sl Odpri pojavno okno
|
||||
open sidebox common sl Odpri stranski meni
|
||||
ordered list common sl Urejen seznam
|
||||
original common sl Izvirnik
|
||||
other common sl Ostalo
|
||||
outdent tinymce sl Zamik
|
||||
overview common sl Pregled
|
||||
owner common sl Lastnik
|
||||
page common sl Stran
|
||||
@ -572,11 +471,6 @@ password must contain at least %1 numbers common sl Geslo mora vsebovati najmanj
|
||||
password must contain at least %1 special characters common sl Geslo mora vsebovati najmanj %1 številk
|
||||
password must contain at least %1 uppercase letters common sl Geslo mora vsebovati najmanj %1 velikih črk
|
||||
password must have at least %1 characters common sl Geslo mora imeti najmanj %1 znakov
|
||||
paste as plain text tinymce sl Prilepi kot navadno besedilo
|
||||
paste from word tinymce sl Prilepi iz Worda
|
||||
paste table row after tinymce sl Prilepi vsrtico tabele za
|
||||
paste table row before tinymce sl Prilepi vsrtico tabele pred
|
||||
path not found. tinymce sl Ne najdem poti.
|
||||
path to user and group files has to be outside of the webservers document-root!!! common sl Pot do uporabniških in skupinskih datotek NE SME BITI podrejena korenski mapi spletišča.
|
||||
pattern for search in addressbook common sl Vzorec za iskanje v adresarju
|
||||
pattern for search in calendar common sl Vzorec za iskanje v koledarju
|
||||
@ -590,17 +484,13 @@ phpgwapi common sl eGroupWare API
|
||||
pitcairn common sl PITCAIRN
|
||||
please %1 by hand common sl Prosim, ročno %1
|
||||
please enter a name common sl Vnesite ime!
|
||||
please enter the caption text tinymce sl Vnesite besedilo naslova
|
||||
please insert a name for the target or choose another option. tinymce sl Vnesite ime cilja ali izberite drugo možnost.
|
||||
please run setup to become current common sl Poženite namestitev za posodobitev!
|
||||
please select common sl Izberite
|
||||
please set your global preferences common sl Vnesite splošne nastavitve.
|
||||
please set your preferences for this application common sl Vnesite nastavitve za to aplikacijo!
|
||||
please wait... common sl Prosimo, počakajte...
|
||||
poland common sl POLJSKA
|
||||
popup url tinymce sl URL pojavnega okna
|
||||
portugal common sl PORTUGALSKA
|
||||
position (x/y) tinymce sl Položaj (X/Y)
|
||||
postal common sl Poštno
|
||||
powered by egroupware version %1 common sl Teče na <a href="http://www.egroupware.org">eGroupware</a> različica %1
|
||||
powered by phpgroupware version %1 common sl Teče na phpGroupWare različica %1
|
||||
@ -608,7 +498,6 @@ preferences common sl Nastavitve
|
||||
preferences for the idots template set common sl Nastavitve predloge idots
|
||||
prev. month (hold for menu) jscalendar sl Prejšnji mesec (držite tipko za meni)
|
||||
prev. year (hold for menu) jscalendar sl Prejšnje leto (držite tipko za meni)
|
||||
preview tinymce sl Predogled
|
||||
previous page common sl Prejšnja stran
|
||||
primary style-sheet: common sl Glavna CSS predloga
|
||||
print common sl Natisni
|
||||
@ -622,26 +511,18 @@ qatar common sl KATAR
|
||||
read common sl Preberi
|
||||
read this list of methods. common sl Preberi ta seznam postopkov
|
||||
reading common sl Branje
|
||||
redo tinymce sl Ponovno uveljavi
|
||||
refresh tinymce sl Osveži
|
||||
reject common sl Zavrni
|
||||
remove col tinymce sl Odstrani stolpec
|
||||
remove selected accounts common sl Odstrani izbrane račune
|
||||
remove shortcut common sl Odstrani bližnjico
|
||||
rename common sl Preimenuj
|
||||
rename failed tinymce sl Preimenuj polje
|
||||
replace common sl Zamenjaj
|
||||
replace with common sl Zamenjaj z
|
||||
replace all tinymce sl Zamenjaj vse
|
||||
returns a full list of accounts on the system. warning: this is return can be quite large common sl Vrne poln seznam uporabnikov sistema. Pozor: seznam je lahko precej dolg.
|
||||
returns an array of todo items common sl Vrne niz opravil
|
||||
returns struct of users application access common sl Vrne strukturo dostopanja uporabnikov do programa
|
||||
reunion common sl REUNION
|
||||
right common sl Desno
|
||||
rmdir failed. tinymce sl Napaka pri brisanju mape.
|
||||
romania common sl ROMUNIJA
|
||||
rows tinymce sl Vrstice
|
||||
run spell checking tinymce sl Zaženi preverjanje črkovanja
|
||||
russian federation common sl RUSKA FEDERACIJA
|
||||
rwanda common sl RUANDA
|
||||
saint helena common sl SVETA HELENA
|
||||
@ -663,7 +544,6 @@ search or select multiple accounts common sl Išči ali izberi več računov hkr
|
||||
second common sl Sekunda
|
||||
section common sl Odsek
|
||||
select common sl Izberi
|
||||
select all tinymce sl Izberi vse
|
||||
select all %1 %2 for %3 common sl Izberi vse %1 %2 za %3
|
||||
select category common sl Izberi kategorijo
|
||||
select date common sl Izberi datum
|
||||
@ -691,23 +571,17 @@ show all common sl Prikaži vse
|
||||
show all categorys common sl Prikaži vse kategorije
|
||||
show clock? common sl Prikažem uro?
|
||||
show home and logout button in main application bar? common sl Prikažem gumba Domov in Odjavi v glavni vrstici aplikacije?
|
||||
show locationbar tinymce sl Prikaži vrstico z lokacijami
|
||||
show logo's on the desktop. common sl Prikaži logotip na namizju.
|
||||
show menu common sl Prikaži meni
|
||||
show menubar tinymce sl Prikaži menijsko vrstico
|
||||
show page generation time common sl Prikaži čas generiranja strani
|
||||
show page generation time on the bottom of the page? common sl Pokažem čas generiranja strani na dnu?
|
||||
show page generation time? common sl Prikažem čas ustvarjanja strani?
|
||||
show scrollbars tinymce sl Prikaži drsnike
|
||||
show statusbar tinymce sl Prikaži statusno vrstico
|
||||
show the logo's of egroupware and x-desktop on the desktop. common sl Prikaži logotipa eGroupware in x-desktop na namizju.
|
||||
show toolbars tinymce sl Prikaži orodjarne
|
||||
show_more_apps common sl Prikaži več aplikacij
|
||||
showing %1 common sl Prikazanih %1
|
||||
showing %1 - %2 of %3 common sl Prikazani %1 - %2 od %3
|
||||
sierra leone common sl SIERRA LEONE
|
||||
singapore common sl SINGAPUR
|
||||
size tinymce sl Velikost
|
||||
slovakia common sl SLOVAŠKA
|
||||
slovenia common sl SLOVENIJA
|
||||
solomon islands common sl SOLOMONOVO OTOČJE
|
||||
@ -716,7 +590,6 @@ sorry, your login has expired login sl Oprostite, vaša prijava je potekla
|
||||
south africa common sl JUŽNOAFRIŠKA REPUBLIKA
|
||||
south georgia and the south sandwich islands common sl JUŽNA GEORGIJA IN JUŽNO OTOČJE SANDWICH
|
||||
spain common sl ŠPANIJA
|
||||
split table cells tinymce sl Razdeli celice tabele
|
||||
sri lanka common sl ŠRI LANKA
|
||||
start date common sl Začetni datum
|
||||
start time common sl Začetni čas
|
||||
@ -724,7 +597,6 @@ start with common sl Začni z
|
||||
starting up... common sl Zaganjam ...
|
||||
status common sl Status
|
||||
stretched common sl Raztegnjeno
|
||||
striketrough tinymce sl Prečrtano
|
||||
subject common sl Zadeva
|
||||
submit common sl Pošlji
|
||||
substitutions and their meanings: common sl Nadomestila in njihov pomen
|
||||
@ -736,24 +608,18 @@ swaziland common sl SVAZILAND
|
||||
sweden common sl ŠVEDSKA
|
||||
switzerland common sl ŠVICA
|
||||
syrian arab republic common sl SIRIJA
|
||||
table cell properties tinymce sl Lastnosti celice tabele
|
||||
table properties common sl Lastnosti tabele
|
||||
table row properties tinymce sl Lastnosti vrstice tabele
|
||||
taiwan common sl TAJVAN
|
||||
tajikistan common sl TADŽIKISTAN
|
||||
tanzania, united republic of common sl TANZANIJA
|
||||
target tinymce sl Cilj
|
||||
text color: common sl Barva besedila:
|
||||
thailand common sl TAJSKA
|
||||
the api is current common sl API je najnovejši
|
||||
the api requires an upgrade common sl API je potrebno nadgraditi
|
||||
the following applications require upgrades common sl Naslednje aplikacije je potrebno nadgraditi
|
||||
the mail server returned common sl Poštni strežnik je vrnil
|
||||
the search has been compleated. the search string could not be found. tinymce sl Iskanje končano. Iskani niz ni bil najden.
|
||||
this application is current common sl Aplikacija je najnovejša
|
||||
this application requires an upgrade common sl Aplikacijo je potrebno nadgraditi
|
||||
this is just a template button tinymce sl To je samo gumb predloge
|
||||
this is just a template popup tinymce sl To je samo pojavno okno predloge
|
||||
this name has been used already common sl To ime je že uporabljeno!
|
||||
thursday common sl Četrtek
|
||||
tiled common sl Razpostavljeno
|
||||
@ -768,7 +634,6 @@ to go back to the msg list, click <a href= %1 >here</a> common sl Da pridete naz
|
||||
today common sl Danes
|
||||
todays date, eg. "%1" common sl Današnji datum, npr. "%1"
|
||||
toggle first day of week jscalendar sl Zamenjajte prvi dan v tednu
|
||||
toggle fullscreen mode tinymce sl Preklopi celozaslonski način
|
||||
togo common sl TOGO
|
||||
tokelau common sl TOKELAU
|
||||
tonga common sl TONGA
|
||||
@ -788,29 +653,21 @@ uganda common sl UGANDA
|
||||
ukraine common sl UKRAJINA
|
||||
underline common sl Podčrtano
|
||||
underline.gif common sl underline.gif
|
||||
undo tinymce sl Razveljavi
|
||||
united arab emirates common sl ZDRUŽENI ARABSKI EMIRATI
|
||||
united kingdom common sl VELIKA BRITANIJA
|
||||
united states common sl ZDRUŽENE DRŽAVE
|
||||
united states minor outlying islands common sl CELINSKE ZDRUŽENE DRŽAVE
|
||||
unknown common sl Neznano
|
||||
unlink tinymce sl Prekini povezavo
|
||||
unlink failed. tinymce sl Odstranjevanje povezave ni uspelo.
|
||||
unordered list tinymce sl Nerazvrščen seznam
|
||||
up tinymce sl Gor
|
||||
update common sl Obnovi
|
||||
update the clock per minute or per second common sl Posodobi uro vsako minuto ali vsako sekundo
|
||||
upload common sl Naloži
|
||||
upload directory does not exist, or is not writeable by webserver common sl Mapa za prenos ne obstaja ali pa ni zapisljiva s strani spletnega strežnika
|
||||
uploading... tinymce sl Nalagam ...
|
||||
url common sl URL
|
||||
uruguay common sl URUGVAJ
|
||||
use button to search for common sl Uporabi gumb za iskanje
|
||||
use button to search for address common sl Uporabi gumb za iskanje naslova
|
||||
use button to search for calendarevent common sl Uporabi gumb za iskanje dogodka v koledarju
|
||||
use button to search for project common sl Uporabi gumb za iskanje projekta
|
||||
use ctrl and/or shift to select multiple items. tinymce sl Za večkratno izbiro uporabite tipko Ctrl in/ali Shift
|
||||
use ctrl+v on your keyboard to paste the text into the window. tinymce sl Uporabite Ctrl+V da prilepite besedil v okno.
|
||||
user common sl Uporabnik
|
||||
user accounts common sl Uporabniški račun
|
||||
user groups common sl Uporabniška skupina
|
||||
@ -821,14 +678,11 @@ uzbekistan common sl UZBEKISATAN
|
||||
vanuatu common sl VANUATU
|
||||
venezuela common sl VENEZUELA
|
||||
version common sl Različica
|
||||
vertical alignment tinymce sl Navpična poravnava
|
||||
viet nam common sl VIETNAM
|
||||
view common sl Pregled
|
||||
virgin islands, british common sl DEVIŠKI OTOKI (BRITANSKI)
|
||||
virgin islands, u.s. common sl DEVIŠKI OTOKI (ZDA)
|
||||
wallis and futuna common sl WALLIS IN FUTUNA
|
||||
warning!\n renaming or moving folders and files will break existing links in your documents. continue? tinymce sl Opozorilo!\n Preimenovanje ali premikanje map bo pokvarilo povezave v vaših dokumentih. Nadaljujem?
|
||||
warning!n renaming or moving folders and files will break existing links in your documents. continue? tinymce sl Opozorilo!\n Preimenovanje ali premikanje map bo pokvarilo povezave v vaših dokumentih. Nadaljujem?
|
||||
wednesday common sl Sreda
|
||||
welcome common sl Dobrodošli
|
||||
western sahara common sl ZAHODNA SAHARA
|
||||
@ -837,7 +691,6 @@ what style would you like the image to have? common sl Kakšen slog želite za s
|
||||
when you say yes the home and logout buttons are presented as applications in the main top applcation bar. common sl Če odgovorite z Da, bosta gumba Domov in Odjavi v orodni vrstici aplikacij.
|
||||
which groups common sl Katere skupine
|
||||
width common sl Širina
|
||||
window name tinymce sl Ime okna
|
||||
wk jscalendar sl ted
|
||||
work email common sl Službeni E-naslov
|
||||
would you like to display the page generation time at the bottom of every window? common sl Želite na dnu vsakega okna prikazati čas ustvarjanja strani?
|
||||
@ -855,7 +708,6 @@ you have not entered participants common sl Niste vnesli udeležencev
|
||||
you have selected an invalid date common sl Izbrali ste napačen datum
|
||||
you have selected an invalid main category common sl Izbrali ste napačno glavno kategorijo
|
||||
you have successfully logged out common sl Bili ste uspešno odjavljeni
|
||||
you must enter the url tinymce sl Vnesti morate URL
|
||||
you need to add the webserver user '%1' to the group '%2'. common sl Uporabnika '%1' je potrebno dodati skupini '%2'.
|
||||
your message could <b>not</b> be sent!<br> common sl Vaše sporočilo <b>NI<b> bilo poslano! <br>
|
||||
your message has been sent common sl Vaše sporočilo je bilo poslano
|
||||
|
@ -16,7 +16,6 @@
|
||||
3 number of chars for day-shortcut jscalendar sv 3 tecken för dag genväg
|
||||
3 number of chars for month-shortcut jscalendar sv 3 tecken för månad genväg
|
||||
80 (http) admin sv 80 (http)
|
||||
a editor instance must be focused before using this command. tinymce sv Flytta markören till en textyta innan du använder detta kommando.
|
||||
about common sv Om
|
||||
about %1 common sv Om %1
|
||||
about egroupware common sv Om eGroupware
|
||||
@ -41,17 +40,10 @@ administration common sv Administration
|
||||
afghanistan common sv AFGHANISTAN
|
||||
albania common sv ALBANIEN
|
||||
algeria common sv ALGERIET
|
||||
align center tinymce sv Centrera
|
||||
align full tinymce sv Kantjustera
|
||||
align left tinymce sv Vänsterjustera
|
||||
align right tinymce sv Högerjustera
|
||||
alignment tinymce sv Justering
|
||||
all common sv Alla
|
||||
all fields common sv Alla fält
|
||||
all occurrences of the search string was replaced. tinymce sv Alla träffar på söksträngen ersattes
|
||||
alphabet common sv a,b,c,d,e,f,g,h,i,j,k,l,m,n,o,p,q,r,s,t,u,v,w,x,y,z,å,ä,ö
|
||||
alternate style-sheet: common sv Alternerande style-sheet:
|
||||
alternative image tinymce sv Alternativ bild
|
||||
american samoa common sv AMERIKANSKA SAMOA
|
||||
andorra common sv ANDORRA
|
||||
angola common sv ANGOLA
|
||||
@ -91,13 +83,11 @@ belgium common sv BELGIEN
|
||||
belize common sv BELIZE
|
||||
benin common sv BENIN
|
||||
bermuda common sv BERMUDA
|
||||
bg color tinymce sv Bakgrundsfärg
|
||||
bhutan common sv BHUTAN
|
||||
blocked, too many attempts common sv Spärrad pga för många försök
|
||||
bold common sv Fet
|
||||
bolivia common sv BOLIVIEN
|
||||
border common sv Rambredd
|
||||
border color tinymce sv Ramfärg
|
||||
bosnia and herzegovina common sv BOSNIEN OCH HERZEGOVINA
|
||||
botswana common sv BOTSWANA
|
||||
bottom common sv Nederst
|
||||
@ -124,9 +114,6 @@ category %1 has been added ! common sv Kategori %1 tillagd
|
||||
category %1 has been updated ! common sv Kategori %1 uppdaterad
|
||||
cayman islands common sv CAYMANÖARNA
|
||||
cc common sv Cc
|
||||
cellpadding tinymce sv Cell utfyllnad
|
||||
cellspacing tinymce sv Cell mellanrum
|
||||
center tinymce sv Center
|
||||
centered common sv Centrerat
|
||||
central african republic common sv CENTRAL AFRIKANSKA REPUBLIKEN
|
||||
chad common sv TCHAD
|
||||
@ -141,12 +128,9 @@ choose a background color for the icons common sv V
|
||||
choose a background image. common sv Välj bakgrundsbild
|
||||
choose a background style. common sv Välj bakgrundsstil
|
||||
choose a text color for the icons common sv Välj text till ikonen
|
||||
choose directory to move selected folders and files to. tinymce sv Välj katalog att flytta valda kataloger och filer till
|
||||
choose the category common sv Välj kategori
|
||||
choose the parent category common sv Välj huvudkategori
|
||||
christmas island common sv JULÖN
|
||||
class tinymce sv Stil
|
||||
cleanup messy code tinymce sv Rensa skräpkod
|
||||
clear common sv Rensa
|
||||
clear form common sv Rensa formulär
|
||||
click common sv Klicka
|
||||
@ -156,20 +140,14 @@ close common sv St
|
||||
close sidebox common sv Stäng Länkbox
|
||||
cocos (keeling) islands common sv KOKOSÖARNA
|
||||
colombia common sv COLOMBIA
|
||||
columns tinymce sv Kolumner
|
||||
comment tinymce sv Kommentar
|
||||
common preferences common sv Allmäna inställningar
|
||||
comoros common sv KOMORERNA
|
||||
company common sv Företag
|
||||
configuration problem tinymce sv Inställningsproblem
|
||||
congo common sv KONGO, REPUBLIKEN
|
||||
congo, the democratic republic of the common sv KONGO, DEMOKRATISKA REPUBLIKEN
|
||||
contacting server... common sv Kontaktar server ...
|
||||
cook islands common sv COOKÖARNA
|
||||
copy common sv Kopiera
|
||||
copy table row tinymce sv Kopiera tabellrad
|
||||
copy/cut/paste is not available in mozilla and firefox.\ndo you want more information about this issue? tinymce sv Klipput/Kopiera/Klistra fungerar inte Mozilla och Firefox. Vill du veta mer om detta?
|
||||
copy/cut/paste is not available in mozilla and firefox.ndo you want more information about this issue? tinymce sv Klipput/Kopiera/Klistra fungerar inte Mozilla och Firefox. Vill du veta mer om detta?
|
||||
costa rica common sv COSTA RICA
|
||||
cote d ivoire common sv ELFENBENSKUSTEN
|
||||
could not contact server. operation timed out! common sv Kunde inte kontakta server.
|
||||
@ -180,16 +158,13 @@ cuba common sv KUBA
|
||||
currency common sv Valuta
|
||||
current common sv Aktuell
|
||||
current users common sv Aktuella användare
|
||||
cut table row tinymce sv Klipp ut tabell rad
|
||||
cyprus common sv CYPERN
|
||||
czech republic common sv TJEKISKA REPUBLIKEN
|
||||
date common sv Datum
|
||||
date due common sv Förfallodatum
|
||||
date modified tinymce sv Ändringsdatum
|
||||
date selection: jscalendar sv Datum val:
|
||||
datetime port.<br>if using port 13, please set firewall rules appropriately before submitting this page.<br>(port: 13 / host: 129.6.15.28) admin sv Datumtid port.<br>Om port 13, uppdatera brandväggen rätt innan du skickar med denna sida.<br>(Port: 13 / Host: 129.6.15.28)
|
||||
december common sv December
|
||||
default tinymce sv Standard
|
||||
default category common sv Standard kategori
|
||||
default height for the windows common sv Standard hjöd för fönstret
|
||||
default width for the windows common sv Standard bredd för fönstret
|
||||
@ -200,10 +175,7 @@ description common sv Beskrivning
|
||||
detail common sv Detalj
|
||||
details common sv Detaljer
|
||||
diable the execution a bugfixscript for internet explorer 5.5 and higher to show transparency in png-images? common sv Inaktivera exekveringen av bugfix skript för IExplorer 5.5 och högre för att visa transparanta png-bilder?
|
||||
direction tinymce sv Riktning
|
||||
direction left to right common sv Riktning från vänster till höger
|
||||
direction right to left tinymce sv Riktning från höger till vänster
|
||||
directory tinymce sv Katalog
|
||||
disable internet explorer png-image-bugfix common sv Inaktivera Internet Explorer png-bild-bugfix
|
||||
disable slider effects common sv Inaktivera animerade effekter
|
||||
disable the animated slider effects when showing or hiding menus in the page? opera and konqueror users will probably must want this. common sv Inaktivera animerade effekter vid visning eller vid täckta menyer på sidan? Opera och Konqueror användare väljer troligen detta.
|
||||
@ -212,7 +184,6 @@ disabled common sv Inaktiverad
|
||||
display %s first jscalendar sv Visa % första
|
||||
djibouti common sv DJIBOUTI
|
||||
do you also want to delete all subcategories ? common sv Vill du även radera alla underkategorier
|
||||
do you want to use the wysiwyg mode for this textarea? tinymce sv Vill du använda WYSIWYG-editorn för textfältet?
|
||||
doctype: common sv Dokumenttyp:
|
||||
document properties common sv Dokument alternativ
|
||||
document title: common sv Dokument rubrik
|
||||
@ -222,7 +193,6 @@ domestic common sv Inrikes
|
||||
dominica common sv DOMINICA
|
||||
dominican republic common sv DOMINIKANSKA REPUBLIKEN
|
||||
done common sv Färdig
|
||||
down tinymce sv Neråt
|
||||
drag to move jscalendar sv Dra för att flytta
|
||||
e-mail common sv E-post
|
||||
east timor common sv ÖSTRA TIMOR
|
||||
@ -237,7 +207,6 @@ egypt common sv EGYPTEN
|
||||
el salvador common sv EL SALVADOR
|
||||
email common sv E-post
|
||||
email-address of the user, eg. "%1" common sv Användarens e-postadress, ex. "%1"
|
||||
emotions tinymce sv Känslor
|
||||
en common sv en
|
||||
enabled common sv Aktiverad
|
||||
end date common sv Slutdatum
|
||||
@ -261,39 +230,15 @@ fax number common sv Faxnummer
|
||||
february common sv Februari
|
||||
fields common sv Fält
|
||||
fiji common sv FIJI
|
||||
file already exists. file was not uploaded. tinymce sv Filen finns redan och laddades därför inte upp.
|
||||
file exceeds the size limit tinymce sv Filen är större än tillåtet
|
||||
file manager tinymce sv Filhanterare
|
||||
file not found. tinymce sv Filen hittades inte.
|
||||
file was not uploaded. tinymce sv Filen laddades inte upp.
|
||||
file with specified new name already exists. file was not renamed/moved. tinymce sv En fil med samma namn finns redan och kunde därför inte flyttas/byta namn.
|
||||
file(s) tinymce sv Fil(er)
|
||||
file: tinymce sv Fil:
|
||||
files common sv Filer
|
||||
files with this extension are not allowed. tinymce sv Filer med denna ändelse tillåts inte.
|
||||
filter common sv Filter
|
||||
find tinymce sv Sök
|
||||
find again tinymce sv Ny sökning
|
||||
find what tinymce sv Sök efter
|
||||
find next tinymce sv Sök nästa
|
||||
find/replace tinymce sv Sök/ersätt
|
||||
finland common sv FINLAND
|
||||
first name common sv Förnamn
|
||||
first name of the user, eg. "%1" common sv Användarens förnamn, ex. "%1"
|
||||
first page common sv Första sidan
|
||||
firstname common sv Förnamn
|
||||
fixme! common sv FIXAMIG!!!!
|
||||
flash files tinymce sv Flashfiler
|
||||
flash properties tinymce sv Flash egenskaper
|
||||
flash-file (.swf) tinymce sv Flashfilm (.swf)
|
||||
folder tinymce sv Katalog
|
||||
folder already exists. common sv Katalogen finns redan
|
||||
folder name missing. tinymce sv Katalognamn saknas
|
||||
folder not found. tinymce sv Katalogen saknas
|
||||
folder with specified new name already exists. folder was not renamed/moved. tinymce sv En katalog med samma namn finns redan och kunde därför inte flyttas/byta namn.
|
||||
folder(s) tinymce sv Katalog(er)
|
||||
for mouse out tinymce sv när pekaren är utanför
|
||||
for mouse over tinymce sv när pekaren är över
|
||||
force selectbox common sv Tvinga Valruta
|
||||
france common sv FRANKRIKE
|
||||
french guiana common sv FRANSKA GUYANA
|
||||
@ -351,30 +296,15 @@ iceland common sv ISLAND
|
||||
iespell not detected. click ok to go to download page. common sv ieSpell hittades inte. Klicka OK för att gå till nerladdnings sidan.
|
||||
if the clock is enabled would you like it to update it every second or every minute? common sv Vill du att klockan uppdateras varje sekund eller minut om den aktiveras?
|
||||
if there are some images in the background folder you can choose the one you would like to see. common sv Om det finns bilder i bakgrundskatalogen, kan du välja den du vill se.
|
||||
image description tinymce sv Bildbeskrivning
|
||||
image title tinymce sv Bildrubrik
|
||||
image url common sv Bild URL
|
||||
indent tinymce sv Indrag
|
||||
india common sv INDIEN
|
||||
indonesia common sv INDONESIEN
|
||||
insert tinymce sv Infoga
|
||||
insert 'return false' common sv Infoga 'return false'
|
||||
insert / edit flash movie tinymce sv Infoga/ändra Flash film
|
||||
insert / edit horizontale rule tinymce sv Infoga/ändra horisontell linje
|
||||
insert all %1 addresses of the %2 contacts in %3 common sv Infoga alla %1 adresser för %2 kontakterna i %3
|
||||
insert column after common sv Infoga kolumn efter
|
||||
insert column before common sv Infoga kolumn före
|
||||
insert date tinymce sv Infoga datum
|
||||
insert emotion tinymce sv Infoga känsla
|
||||
insert file tinymce sv Bifoga fil
|
||||
insert link to file tinymce sv Infoga länk till fil
|
||||
insert row after common sv Infoga rad efter
|
||||
insert row before common sv Infoga rad före
|
||||
insert time tinymce sv Infoga tid
|
||||
insert/edit image tinymce sv Infoga/ändra bild
|
||||
insert/edit link tinymce sv Infoga/ändra länk
|
||||
insert/modify table tinymce sv Infoga/ändra tabell
|
||||
inserts a new table tinymce sv Skapar ny tabell
|
||||
international common sv Internationell
|
||||
invalid filename common sv Ogiltigt filnamn
|
||||
invalid ip address common sv Ogiltig IP adress
|
||||
@ -392,7 +322,6 @@ jamaica common sv JAMAICA
|
||||
january common sv Januari
|
||||
japan common sv JAPAN
|
||||
jordan common sv JORDANIEN
|
||||
js-popup tinymce sv JS-Popup
|
||||
july common sv Juli
|
||||
jun common sv Jun
|
||||
june common sv Juni
|
||||
@ -401,7 +330,6 @@ justify full common sv Marginaljustera
|
||||
justify left common sv Vänsterjustera
|
||||
justify right common sv Högerjustera
|
||||
kazakstan common sv KAZAKSTAN
|
||||
keep linebreaks tinymce sv Spara radbrytningar
|
||||
kenya common sv KENYA
|
||||
keywords common sv Nyckelord
|
||||
kiribati common sv KIRIBATI
|
||||
@ -426,11 +354,9 @@ libyan arab jamahiriya common sv LIBYEN
|
||||
license common sv Licens
|
||||
liechtenstein common sv LIECHTENSTEIN
|
||||
line %1: '%2'<br><b>csv data does not match column-count of table %3 ==> ignored</b> common sv Rad %1: '%2'<br><b>CSV data motsvarar inte antalet kolumner i tabellen %3 ==> ignoreras</b>
|
||||
link url tinymce sv Länkens URL
|
||||
list common sv Lista
|
||||
list members common sv Lista medlemmar
|
||||
lithuania common sv LITAUEN
|
||||
loading files tinymce sv Laddar filer
|
||||
local common sv Lokal
|
||||
login common sv Inloggning
|
||||
loginid common sv Inloggnings ID
|
||||
@ -445,7 +371,6 @@ mail domain, eg. "%1" common sv E-postdom
|
||||
main category common sv Huvudkategori
|
||||
main screen common sv Startsidan
|
||||
maintainer common sv Underhåll
|
||||
make window resizable tinymce sv Gör fönstret skalbart
|
||||
malawi common sv MALAWI
|
||||
malaysia common sv MALAYSIA
|
||||
maldives common sv MALDIVERNA
|
||||
@ -454,7 +379,6 @@ malta common sv MALTA
|
||||
march common sv Mars
|
||||
marshall islands common sv MARSHALLÖARNA
|
||||
martinique common sv MARTINIQUE
|
||||
match case tinymce sv Bokstavsberoende
|
||||
mauritania common sv MAURITANIA
|
||||
mauritius common sv MAURITIUS
|
||||
max number of icons in navbar common sv Max antal ikoner i navigeringslisten
|
||||
@ -462,19 +386,16 @@ may common sv Maj
|
||||
mayotte common sv MAYOTTE
|
||||
medium common sv Medium
|
||||
menu common sv Meny
|
||||
merge table cells tinymce sv Migrera tabellceller
|
||||
message common sv Meddelande
|
||||
mexico common sv MEXICO
|
||||
micronesia, federated states of common sv MIKRONESIEN
|
||||
minute common sv Minut
|
||||
mkdir failed. tinymce sv Misslyckades skapa katalog
|
||||
moldova, republic of common sv MOLDOVIEN
|
||||
monaco common sv MONACO
|
||||
monday common sv Måndag
|
||||
mongolia common sv MONGOLIEN
|
||||
montserrat common sv MONTSERRAT
|
||||
morocco common sv MAROCKO
|
||||
move tinymce sv Flytta
|
||||
mozambique common sv MOZAMBIQUE
|
||||
multiple common sv Flera
|
||||
myanmar common sv MYANMAR
|
||||
@ -488,11 +409,6 @@ netherlands antilles common sv NEDERL
|
||||
never common sv Aldrig
|
||||
new caledonia common sv NYA KALEDONIEN
|
||||
new entry added sucessfully common sv Ny post tillagd
|
||||
new file name missing! tinymce sv Nya filens namn saknas!
|
||||
new file name: tinymce sv Filnamn:
|
||||
new folder tinymce sv Ny katalog
|
||||
new folder name missing! tinymce sv Nya katalogens namn saknas!
|
||||
new folder name: tinymce sv Katalognamn:
|
||||
new main category common sv Ny huvudkategori
|
||||
new value common sv Nytt värde
|
||||
new zealand common sv NYA ZEELAND
|
||||
@ -506,15 +422,8 @@ nigeria common sv NIGERIA
|
||||
niue common sv NIUE
|
||||
no common sv Nej
|
||||
no entries found, try again ... common sv Inga poster hittades, försök igen ...
|
||||
no files... tinymce sv Inga filer ...
|
||||
no history for this record common sv Ingen historik för posten
|
||||
no permission to create folder. tinymce sv Saknar rättigheter att skapa katalog
|
||||
no permission to delete file. tinymce sv Saknar rättigheter att radera fil
|
||||
no permission to move files and folders. tinymce sv Saknar rättigheter att flytta filer och kataloger
|
||||
no permission to rename files and folders. tinymce sv Saknar rättigheter att döpa om filer och kataloger
|
||||
no permission to upload. tinymce sv Saknar rättigheter att ladda upp
|
||||
no savant2 template directories were found in: common sv Ingen Savant2 mall katalog hittades i:
|
||||
no shadow tinymce sv Ingen skugga
|
||||
no subject common sv Inget ämne
|
||||
none common sv Ingen
|
||||
norfolk island common sv NORFOLKÖN
|
||||
@ -533,24 +442,14 @@ old value common sv Gammalt v
|
||||
oman common sv OMAN
|
||||
on *nix systems please type: %1 common sv På *nix system skriv: %1
|
||||
on mouse over common sv När pekaren förs över
|
||||
only files with extensions are permited, e.g. "imagefile.jpg". tinymce sv Endast filer med ändelser tillåts, .ex. "imagefile.jpg".
|
||||
only private common sv Endast privata
|
||||
only yours common sv Endast dina
|
||||
open file in new window tinymce sv Öppna fil i nytt fönster
|
||||
open in new window tinymce sv Öppna i ett nytt fönster
|
||||
open in parent window / frame tinymce sv Öppna i ovanliggande fönster/ram
|
||||
open in the window tinymce sv Öppna i ett specifikt fönster
|
||||
open in this window / frame tinymce sv Öppna i samma fönster/ram
|
||||
open in top frame (replaces all frames) tinymce sv Öppna i övre ramen (ersätter alla ramar)
|
||||
open link in a new window tinymce sv Öppna länken i ett nytt fönster
|
||||
open link in the same window tinymce sv Öppna länken i samma fönster
|
||||
open notify window common sv Öppna meddelande fönster
|
||||
open popup window common sv Öppna popup fönster
|
||||
open sidebox common sv Öppna Länkboxen
|
||||
ordered list common sv Numrerad lista
|
||||
original common sv Orginal
|
||||
other common sv Övriga
|
||||
outdent tinymce sv Utdrag
|
||||
overview common sv Översikt
|
||||
owner common sv Ägare
|
||||
page common sv Sida
|
||||
@ -571,11 +470,6 @@ password must contain at least %1 numbers common sv L
|
||||
password must contain at least %1 special characters common sv Lösenordet måste innehålla åtminstone %1 special tecken
|
||||
password must contain at least %1 uppercase letters common sv Lösenordet måste innehålla åtminstone %1 stora bokstäver
|
||||
password must have at least %1 characters common sv Lösenordet måste innehålla åtminstone %1 tecken
|
||||
paste as plain text tinymce sv Kopiera som text
|
||||
paste from word tinymce sv Kopiera från Word
|
||||
paste table row after tinymce sv Klistra in tabell rad efter
|
||||
paste table row before tinymce sv Klistra in tabell rad före
|
||||
path not found. tinymce sv Sökväg saknas
|
||||
path to user and group files has to be outside of the webservers document-root!!! common sv Sökvägen till användar- och gruppfiler måste vara utanför webbserverns dokument root!
|
||||
pattern for search in addressbook common sv Sökmönster i Adressboken
|
||||
pattern for search in calendar common sv Sökmönster i Kalendern
|
||||
@ -589,17 +483,13 @@ phpgwapi common sv eGroupWare API
|
||||
pitcairn common sv PITCAIRNÖARNA
|
||||
please %1 by hand common sv Var god och %1 för hand
|
||||
please enter a name common sv Ange ett namn
|
||||
please enter the caption text tinymce sv Ange överskrift
|
||||
please insert a name for the target or choose another option. tinymce sv Var god skriv ett namn för fönstret eller välj ett annat val.
|
||||
please run setup to become current common sv Kör installationen för att uppdatera
|
||||
please select common sv Välj
|
||||
please set your global preferences common sv Gör dina globala inställningar
|
||||
please set your preferences for this application common sv Gör dina inställningar för applikationen
|
||||
please wait... common sv Var god vänta ...
|
||||
poland common sv POLEN
|
||||
popup url tinymce sv Popup URL
|
||||
portugal common sv PORTUGAL
|
||||
position (x/y) tinymce sv Position (X/Y)
|
||||
postal common sv Post adress
|
||||
powered by egroupware version %1 common sv Powered by <a href="http://www.egroupware.org">eGroupWare</a> version %1
|
||||
powered by phpgroupware version %1 common sv Powered by <a href="http://www.egroupware.org">eGroupWare</a> version %1
|
||||
@ -607,7 +497,6 @@ preferences common sv Alternativ
|
||||
preferences for the idots template set common sv Idots mall alternativ
|
||||
prev. month (hold for menu) jscalendar sv Föreg. månad (håll för meny)
|
||||
prev. year (hold for menu) jscalendar sv Föreg. år (håll för meny)
|
||||
preview tinymce sv Förhandsgranska
|
||||
previous page common sv Föregående sida
|
||||
primary style-sheet: common sv Primär Style sheet
|
||||
print common sv Skriv ut
|
||||
@ -621,26 +510,18 @@ qatar common sv QUATAR
|
||||
read common sv Läs
|
||||
read this list of methods. common sv Läs lista på metoder
|
||||
reading common sv Läser
|
||||
redo tinymce sv Gör om
|
||||
refresh tinymce sv Uppdatera
|
||||
reject common sv Avvisa
|
||||
remove col tinymce sv Radera kolumn
|
||||
remove selected accounts common sv Radera valda konton
|
||||
remove shortcut common sv Radera genväg
|
||||
rename common sv Byt namn
|
||||
rename failed tinymce sv Namnbyte misslyckades
|
||||
replace common sv Ersätt
|
||||
replace with common sv Ersätt med
|
||||
replace all tinymce sv Ersätt alla
|
||||
returns a full list of accounts on the system. warning: this is return can be quite large common sv Returnerar en fullständig lista på konton. Varning: Den kan vara tämligen stor
|
||||
returns an array of todo items common sv Returnera en lista på Uppgifter
|
||||
returns struct of users application access common sv Returnerar struktur på användares applikationsanvändning
|
||||
reunion common sv REUNION
|
||||
right common sv Höger
|
||||
rmdir failed. tinymce sv Katalog radering misslyckades
|
||||
romania common sv RUMÄNIEN
|
||||
rows tinymce sv Rader
|
||||
run spell checking tinymce sv Kör rättstavningskontroll
|
||||
russian federation common sv RYSKA FEDERATIONEN
|
||||
rwanda common sv RWANDA
|
||||
saint helena common sv SAINT HELENA
|
||||
@ -662,7 +543,6 @@ search or select multiple accounts common sv S
|
||||
second common sv Sekund
|
||||
section common sv Avsnitt
|
||||
select common sv Välj
|
||||
select all tinymce sv Select All
|
||||
select all %1 %2 for %3 common sv Välj alla %1 %2 för %3
|
||||
select category common sv Välj kategori
|
||||
select date common sv Välj datum
|
||||
@ -690,23 +570,17 @@ show all common sv Visa alla
|
||||
show all categorys common sv Visa alla kategorier
|
||||
show clock? common sv Visa klockan?
|
||||
show home and logout button in main application bar? common sv Visa Hem- och utloggnings knappen i navigeringslisten?
|
||||
show locationbar tinymce sv Visa navigeringslisten
|
||||
show logo's on the desktop. common sv Visa logotyp på skrivbordet
|
||||
show menu common sv Visa meny
|
||||
show menubar tinymce sv Visa meny
|
||||
show page generation time common sv Visa sidans genereringstid
|
||||
show page generation time on the bottom of the page? common sv Visa sidans genererings tid längst ner på sidan?
|
||||
show page generation time? common sv Visa sidans genereringstid?
|
||||
show scrollbars tinymce sv Visa rullisten
|
||||
show statusbar tinymce sv Visa statuslisten
|
||||
show the logo's of egroupware and x-desktop on the desktop. common sv Visa eGroupware och x-desktop logotypen på skrivbordet
|
||||
show toolbars tinymce sv Visa vertygslisten
|
||||
show_more_apps common sv Visa fler applikationer
|
||||
showing %1 common sv Visar %1
|
||||
showing %1 - %2 of %3 common sv Visar %1 - %2 av %3
|
||||
sierra leone common sv SIERRA LEONE
|
||||
singapore common sv SINGAPORE
|
||||
size tinymce sv Storlek
|
||||
slovakia common sv SLOVAKIEN
|
||||
slovenia common sv SLOVENIEN
|
||||
solomon islands common sv SALOMONÖARNA
|
||||
@ -715,7 +589,6 @@ sorry, your login has expired login sv Beklagar, din inloggning har f
|
||||
south africa common sv SYD AFRIKA
|
||||
south georgia and the south sandwich islands common sv SYDGEORGIEN OCH SYDSANDWICHÖARNA
|
||||
spain common sv SPANIEN
|
||||
split table cells tinymce sv Dela upp tabellceller
|
||||
sri lanka common sv SRI LANKA
|
||||
start date common sv Startdatum
|
||||
start time common sv Starttid
|
||||
@ -723,7 +596,6 @@ start with common sv B
|
||||
starting up... common sv Startar ...
|
||||
status common sv Status
|
||||
stretched common sv Utsträckt
|
||||
striketrough tinymce sv Genomstruken
|
||||
subject common sv Ämne
|
||||
submit common sv Utför
|
||||
substitutions and their meanings: common sv Substitutioner och dess mening:
|
||||
@ -735,24 +607,18 @@ swaziland common sv SWAZILAND
|
||||
sweden common sv SVERIGE
|
||||
switzerland common sv SCHWEIZ
|
||||
syrian arab republic common sv SYRIEN
|
||||
table cell properties tinymce sv Tabellcell inställningar
|
||||
table properties common sv Tabell egenskaper
|
||||
table row properties tinymce sv Tabellrad inställningar
|
||||
taiwan common sv TAIWAN/TAIPEI
|
||||
tajikistan common sv TAJIKISTAN
|
||||
tanzania, united republic of common sv TANZANIA
|
||||
target tinymce sv Fönster
|
||||
text color: common sv Textfärg
|
||||
thailand common sv THAILAND
|
||||
the api is current common sv API är senast tillgängliga
|
||||
the api requires an upgrade common sv API behöver uppgradering
|
||||
the following applications require upgrades common sv Följande applikationer behöver uppgraderas
|
||||
the mail server returned common sv E-postservern returnerade
|
||||
the search has been compleated. the search string could not be found. tinymce sv Sökningen är slutförd. Söksträngen kunde inte hittas.
|
||||
this application is current common sv Applikationen är senast tillgängliga
|
||||
this application requires an upgrade common sv Applikationen behöver uppgraderas
|
||||
this is just a template button tinymce sv Detta är endast en mall för knapp
|
||||
this is just a template popup tinymce sv Detta är endast en mall för popup
|
||||
this name has been used already common sv Namnet är redan upptaget
|
||||
thursday common sv Torsdag
|
||||
tiled common sv Vinklad
|
||||
@ -767,7 +633,6 @@ to go back to the msg list, click <a href= %1 >here</a> common sv Klicka <a href
|
||||
today common sv Idag
|
||||
todays date, eg. "%1" common sv Dagens datum, ex. "%1"
|
||||
toggle first day of week jscalendar sv Visa veckans första dag
|
||||
toggle fullscreen mode tinymce sv Visa helskärm
|
||||
togo common sv TOGO
|
||||
tokelau common sv TOKELAUÖARNA
|
||||
tonga common sv TONGA
|
||||
@ -787,29 +652,21 @@ uganda common sv UGANDA
|
||||
ukraine common sv UKRAINA
|
||||
underline common sv Understruken
|
||||
underline.gif common sv underline.gif
|
||||
undo tinymce sv Ångra
|
||||
united arab emirates common sv FÖRENTA ARAB EMIRATEN
|
||||
united kingdom common sv STORBRITANIEN
|
||||
united states common sv U.S.A
|
||||
united states minor outlying islands common sv FÖRENTA STATERNAS MINDRE ÖAR I OCEANIEN OCH VÄSTINDIEN
|
||||
unknown common sv Okänd
|
||||
unlink tinymce sv Ta bort länk
|
||||
unlink failed. tinymce sv Länk borttagning misslyckades
|
||||
unordered list tinymce sv Punktlista
|
||||
up tinymce sv Uppåt
|
||||
update common sv Uppdatera
|
||||
update the clock per minute or per second common sv Uppdatera klockan per minut eller sekund
|
||||
upload common sv Ladda upp
|
||||
upload directory does not exist, or is not writeable by webserver common sv Uppladdningskatalogen finns inte eller är inte skrivbar av webbservern
|
||||
uploading... tinymce sv Laddar upp ...
|
||||
url common sv URL
|
||||
uruguay common sv URUGUAI
|
||||
use button to search for common sv Använd knappen för att söka
|
||||
use button to search for address common sv Använd knappen för att söka adresser
|
||||
use button to search for calendarevent common sv Använd knappen för att söka kalender händelser
|
||||
use button to search for project common sv Använd knappen för att söka projekt
|
||||
use ctrl and/or shift to select multiple items. tinymce sv Använd Ctrl och/eller Shift för att välja flera
|
||||
use ctrl+v on your keyboard to paste the text into the window. tinymce sv Använd CTRL+V på ditt tangentbord för att klistra in i detta fönster.
|
||||
user common sv Användare
|
||||
user accounts common sv Användarkonto
|
||||
user groups common sv Användargrupp
|
||||
@ -820,13 +677,11 @@ uzbekistan common sv UZBEKISTAN
|
||||
vanuatu common sv VANUATU
|
||||
venezuela common sv VENEZUELA
|
||||
version common sv Version
|
||||
vertical alignment tinymce sv Vertikal justering
|
||||
viet nam common sv VIETNAM
|
||||
view common sv Visa
|
||||
virgin islands, british common sv JUNGFRUÖARNA, BRITTISKA
|
||||
virgin islands, u.s. common sv JUNGFRUÖARNA, U.S.A
|
||||
wallis and futuna common sv WALLIS OCH FUTUNA
|
||||
warning!n renaming or moving folders and files will break existing links in your documents. continue? tinymce sv Varning!\n Att byta namn eller att flytta kataloger och filer kan brta länkar i dina dokument. Vill du fortsätta?
|
||||
wednesday common sv Onsdag
|
||||
welcome common sv Välkommen
|
||||
western sahara common sv VÄSTRA SAHARA
|
||||
@ -835,7 +690,6 @@ what style would you like the image to have? common sv Vilken stil vill du att b
|
||||
when you say yes the home and logout buttons are presented as applications in the main top applcation bar. common sv Om du svara ja kommer Hem- och utloggningsknappen att visas i navigeringslisten.
|
||||
which groups common sv Vilka grupper
|
||||
width common sv Bredd
|
||||
window name tinymce sv Fönstrets namn
|
||||
wk jscalendar sv v.
|
||||
work email common sv Arbete e-post
|
||||
would you like to display the page generation time at the bottom of every window? common sv Vill du visa sidans genereringstid nederst på varje sida?
|
||||
@ -853,7 +707,6 @@ you have not entered participants common sv Deltagare saknas
|
||||
you have selected an invalid date common sv Ogiltigt datum
|
||||
you have selected an invalid main category common sv Ogiltig huvudkategori
|
||||
you have successfully logged out common sv Du är utloggad
|
||||
you must enter the url tinymce sv Du måste ange URL
|
||||
you need to add the webserver user '%1' to the group '%2'. common sv Du behöver lägga till webbserver användare '%1' till gruppen '%2'.
|
||||
your message could <b>not</b> be sent!<br> common sv Meddelandet <b>inte</b> skickat<br>
|
||||
your message has been sent common sv Meddelandet skickat
|
||||
|
@ -599,67 +599,3 @@ your settings have been updated common th
|
||||
yugoslavia common th
|
||||
zambia common th
|
||||
zimbabwe common th
|
||||
bold tinymce th µÑÇ˹Ò
|
||||
italic tinymce th µÑÇéàÍÕ§
|
||||
underline tinymce th ¢Õ´àÊé¹ãµé
|
||||
striketrough tinymce th ¢Õ´¤ÅèÍÁ
|
||||
align left tinymce th ªÔ´¢Íº«éÒÂ
|
||||
align center tinymce th ¡Ö觡ÅÒ§
|
||||
align right tinymce th ªÔ´¢Íº¢ÇÒ
|
||||
align full tinymce th ¨Ñ´ªÔ´¢Íº
|
||||
unordered list tinymce th ÊÑÅѡɳìáÊ´§ËÑÇ¢éÍÂèÍÂ
|
||||
ordered list tinymce th ÅӴѺàÅ¢
|
||||
outdent tinymce th Å´¡ÒÃàÂ×éͧ
|
||||
indent tinymce th à¾ÔèÁ¡ÒÃàÂ×éͧ
|
||||
undo tinymce th àÅÔ¡·Ó
|
||||
redo tinymce th ·ÓãËÁè
|
||||
insert/edit link tinymce th à¾ÔèÁÅÔ§¤ì
|
||||
unlink tinymce th źÅÔ§¤ì
|
||||
insert/edit image tinymce th ãÊèÃÙ»
|
||||
cleanup messy code tinymce th ·Ó¤ÇÒÁÊÐÍÒ´¢éͤÇÒÁ
|
||||
a editor instance must be focused before using this command. tinymce th µéͧàÅ×Í¡¡Åèͧ¢éͤÇÒÁ¡è͹·Õè¨Ðãªé¤ÓÊÑ觹Õé
|
||||
do you want to use the wysiwyg mode for this textarea? tinymce th ¤Ø³µéͧ¡Ò÷Õè¨Ðãªé WYSIWYG mode ÊÓËÃѺ¡Åèͧ¢éͤÇÒÁ¹ÕéËÃ×ÍäÁè?
|
||||
insert/edit link tinymce th à¾ÔèÁ/á¡éä¢ ÅÔ§¤ì
|
||||
insert tinymce th à¾ÔèÁ
|
||||
cancel tinymce th ¡àÅÔ¡
|
||||
link url tinymce th Link URL
|
||||
target tinymce th à»Ô´ÅÔ§¤ìã¹
|
||||
open link in the same window tinymce th ˹éÒµèÒ§à´ÕÂǡѹ
|
||||
open link in a new window tinymce th ˹éÒµèÒ§ãËÁè
|
||||
insert/edit image tinymce th à¾ÔèÁ/á¡éä¢ ÃÙ»
|
||||
image url tinymce th URL ¢Í§ÃÙ»
|
||||
image description tinymce th ¤Ó͸ԺÒÂÃÙ»
|
||||
help tinymce th ªèÇÂàËÅ×Í
|
||||
copy/cut/paste is not available in mozilla and firefox.\ndo you want more information about this issue? tinymce th Copy/Cut/Paste is not available in Mozilla and Firefox.\nDo you want more information about this issue?
|
||||
bold tinymce th µÑÇ˹Ò
|
||||
italic tinymce th µÑÇéàÍÕ§
|
||||
underline tinymce th ¢Õ´àÊé¹ãµé
|
||||
striketrough tinymce th ¢Õ´¤ÅèÍÁ
|
||||
align left tinymce th ªÔ´¢Íº«éÒÂ
|
||||
align center tinymce th ¡Ö觡ÅÒ§
|
||||
align right tinymce th ªÔ´¢Íº¢ÇÒ
|
||||
align full tinymce th ¨Ñ´ªÔ´¢Íº
|
||||
unordered list tinymce th ÊÑÅѡɳìáÊ´§ËÑÇ¢éÍÂèÍÂ
|
||||
ordered list tinymce th ÅӴѺàÅ¢
|
||||
outdent tinymce th Å´¡ÒÃàÂ×éͧ
|
||||
indent tinymce th à¾ÔèÁ¡ÒÃàÂ×éͧ
|
||||
undo tinymce th àÅÔ¡·Ó
|
||||
redo tinymce th ·ÓãËÁè
|
||||
insert/edit link tinymce th à¾ÔèÁÅÔ§¤ì
|
||||
unlink tinymce th źÅÔ§¤ì
|
||||
insert/edit image tinymce th ãÊèÃÙ»
|
||||
cleanup messy code tinymce th ·Ó¤ÇÒÁÊÐÍÒ´¢éͤÇÒÁ
|
||||
a editor instance must be focused before using this command. tinymce th µéͧàÅ×Í¡¡Åèͧ¢éͤÇÒÁ¡è͹·Õè¨Ðãªé¤ÓÊÑ觹Õé
|
||||
do you want to use the wysiwyg mode for this textarea? tinymce th ¤Ø³µéͧ¡Ò÷Õè¨Ðãªé WYSIWYG mode ÊÓËÃѺ¡Åèͧ¢éͤÇÒÁ¹ÕéËÃ×ÍäÁè?
|
||||
insert/edit link tinymce th à¾ÔèÁ/á¡éä¢ ÅÔ§¤ì
|
||||
insert tinymce th à¾ÔèÁ
|
||||
cancel tinymce th ¡àÅÔ¡
|
||||
link url tinymce th Link URL
|
||||
target tinymce th à»Ô´ÅÔ§¤ìã¹
|
||||
open link in the same window tinymce th ˹éÒµèÒ§à´ÕÂǡѹ
|
||||
open link in a new window tinymce th ˹éÒµèÒ§ãËÁè
|
||||
insert/edit image tinymce th à¾ÔèÁ/á¡éä¢ ÃÙ»
|
||||
image url tinymce th URL ¢Í§ÃÙ»
|
||||
image description tinymce th ¤Ó͸ԺÒÂÃÙ»
|
||||
help tinymce th ªèÇÂàËÅ×Í
|
||||
copy/cut/paste is not available in mozilla and firefox.\ndo you want more information about this issue? tinymce th Copy/Cut/Paste is not available in Mozilla and Firefox.\nDo you want more information about this issue?
|
||||
|
@ -16,7 +16,6 @@
|
||||
3 number of chars for day-shortcut jscalendar zh-tw -1
|
||||
3 number of chars for month-shortcut jscalendar zh-tw 2
|
||||
80 (http) admin zh-tw 80 (http)
|
||||
a editor instance must be focused before using this command. tinymce zh-tw 在使用這個指令前,編輯器中必須先選取資料
|
||||
about common zh-tw 關於
|
||||
about %1 common zh-tw 關於 %1
|
||||
about egroupware common zh-tw 關於 eGroupware
|
||||
@ -41,17 +40,10 @@ administration common zh-tw 系統管理
|
||||
afghanistan common zh-tw 阿富汗
|
||||
albania common zh-tw 阿爾巴尼亞
|
||||
algeria common zh-tw 阿爾吉利亞
|
||||
align center tinymce zh-tw 置中對齊
|
||||
align full tinymce zh-tw 分散對齊
|
||||
align left tinymce zh-tw 靠左對齊
|
||||
align right tinymce zh-tw 靠右對齊
|
||||
alignment tinymce zh-tw 對齊
|
||||
all common zh-tw 所有
|
||||
all fields common zh-tw 所有欄位
|
||||
all occurrences of the search string was replaced. tinymce zh-tw 所有搜尋的字串都被取代了。
|
||||
alphabet common zh-tw a,b,c,d,e,f,g,h,i,j,k,l,m,n,o,p,q,r,s,t,u,v,w,x,y,z
|
||||
alternate style-sheet: common zh-tw 替換的樣式表:
|
||||
alternative image tinymce zh-tw 替換圖片
|
||||
american samoa common zh-tw AMERICAN SAMOA
|
||||
andorra common zh-tw 安道爾
|
||||
angola common zh-tw 安哥拉
|
||||
@ -91,14 +83,12 @@ belgium common zh-tw 比利時
|
||||
belize common zh-tw 貝里斯
|
||||
benin common zh-tw 貝南
|
||||
bermuda common zh-tw 百慕達
|
||||
bg color tinymce zh-tw 背景顏色
|
||||
bhutan common zh-tw 不丹
|
||||
blocked, too many attempts common zh-tw 被鎖定了,嘗試太多次
|
||||
bold common zh-tw 粗體
|
||||
bold.gif common zh-tw bold.gif
|
||||
bolivia common zh-tw 玻利維亞
|
||||
border common zh-tw 框線
|
||||
border color tinymce zh-tw 框線顏色
|
||||
bosnia and herzegovina common zh-tw BOSNIA AND HERZEGOVINA
|
||||
botswana common zh-tw 波紮那
|
||||
bottom common zh-tw 底部
|
||||
@ -125,9 +115,6 @@ category %1 has been added ! common zh-tw 已新增分類 %1 !
|
||||
category %1 has been updated ! common zh-tw 已更新分類 %1 !
|
||||
cayman islands common zh-tw CAYMAN ISLANDS
|
||||
cc common zh-tw 副本
|
||||
cellpadding tinymce zh-tw 儲存格內距
|
||||
cellspacing tinymce zh-tw 儲存格間距
|
||||
center tinymce zh-tw 置中
|
||||
centered common zh-tw 置中
|
||||
central african republic common zh-tw CENTRAL AFRICAN REPUBLIC
|
||||
chad common zh-tw 查德
|
||||
@ -142,12 +129,9 @@ choose a background color for the icons common zh-tw 選擇圖示的背景顏色
|
||||
choose a background image. common zh-tw 選擇背景圖片
|
||||
choose a background style. common zh-tw 選擇背景風格
|
||||
choose a text color for the icons common zh-tw 選擇圖示的文字顏色
|
||||
choose directory to move selected folders and files to. tinymce zh-tw 選擇指定的檔案與資料夾要移動的目的地
|
||||
choose the category common zh-tw 選擇分類
|
||||
choose the parent category common zh-tw 選擇上一層分類
|
||||
christmas island common zh-tw CHRISTMAS ISLAND
|
||||
class tinymce zh-tw 類別
|
||||
cleanup messy code tinymce zh-tw 清除散亂的程式碼
|
||||
clear common zh-tw 清除
|
||||
clear form common zh-tw 清除表單
|
||||
click common zh-tw 點選
|
||||
@ -157,20 +141,14 @@ close common zh-tw 關閉
|
||||
close sidebox common zh-tw 關閉其他選單
|
||||
cocos (keeling) islands common zh-tw COCOS (KEELING) ISLANDS
|
||||
colombia common zh-tw 哥倫比亞
|
||||
columns tinymce zh-tw 欄位
|
||||
comment tinymce zh-tw 備註
|
||||
common preferences common zh-tw 一般設定
|
||||
comoros common zh-tw COMOROS
|
||||
company common zh-tw 公司
|
||||
configuration problem tinymce zh-tw 設定問題
|
||||
congo common zh-tw 剛果
|
||||
congo, the democratic republic of the common zh-tw CONGO, THE DEMOCRATIC REPUBLIC OF THE
|
||||
contacting server... common zh-tw 與伺服器連線中...
|
||||
cook islands common zh-tw COOK ISLANDS
|
||||
copy common zh-tw 複製
|
||||
copy table row tinymce zh-tw 複製表格列
|
||||
copy/cut/paste is not available in mozilla and firefox.\ndo you want more information about this issue? tinymce zh-tw 在Mozilla與Firefox不支援複製/剪下/貼上。\n您是否要取得這個問題的詳細資訊?
|
||||
copy/cut/paste is not available in mozilla and firefox.ndo you want more information about this issue? tinymce zh-tw 在Mozilla與Firefox不支援複製/剪下/貼上。\n您是否要取得這個問題的詳細資訊?
|
||||
costa rica common zh-tw COSTA RICA
|
||||
cote d ivoire common zh-tw COTE D IVOIRE
|
||||
could not contact server. operation timed out! common zh-tw 無法連線伺服器,連線逾時!
|
||||
@ -181,16 +159,13 @@ cuba common zh-tw 古巴
|
||||
currency common zh-tw 貨幣
|
||||
current common zh-tw 現在
|
||||
current users common zh-tw 線上使用者
|
||||
cut table row tinymce zh-tw 剪下表格列
|
||||
cyprus common zh-tw 賽普勒斯
|
||||
czech republic common zh-tw 捷克共和國
|
||||
date common zh-tw 日期
|
||||
date due common zh-tw 到期日期
|
||||
date modified tinymce zh-tw 修改日期
|
||||
date selection: jscalendar zh-tw 選擇日期:
|
||||
datetime port.<br>if using port 13, please set firewall rules appropriately before submitting this page.<br>(port: 13 / host: 129.6.15.28) admin zh-tw 時間服務埠。<br>如果使用13埠,在送出之前記得檢查您的防火牆設定。<br>(Port: 13 / Host: 129.6.15.28)
|
||||
december common zh-tw 十二月
|
||||
default tinymce zh-tw 預設
|
||||
default category common zh-tw 預設分類
|
||||
default height for the windows common zh-tw 預設視窗高度
|
||||
default width for the windows common zh-tw 預設視窗寬度
|
||||
@ -201,10 +176,7 @@ description common zh-tw 說明
|
||||
detail common zh-tw 詳細
|
||||
details common zh-tw 詳細
|
||||
diable the execution a bugfixscript for internet explorer 5.5 and higher to show transparency in png-images? common zh-tw 在PNG圖檔中停用IE 5.5或更新版本的修正來顯示透明效果
|
||||
direction tinymce zh-tw 方向
|
||||
direction left to right common zh-tw 方向由左至右
|
||||
direction right to left tinymce zh-tw 方向由右至左
|
||||
directory tinymce zh-tw 資料夾
|
||||
disable internet explorer png-image-bugfix common zh-tw 停用 IE png-image-bugfix
|
||||
disable slider effects common zh-tw 停用切換效果
|
||||
disable the animated slider effects when showing or hiding menus in the page? opera and konqueror users will probably must want this. common zh-tw 在顯示或是隱藏選單的時候停用動態切換效果?Opera 與 Konqueror 的使用者可能必須這麼做。
|
||||
@ -213,7 +185,6 @@ disabled common zh-tw 停用
|
||||
display %s first jscalendar zh-tw 先顯示 %s
|
||||
djibouti common zh-tw 吉布地
|
||||
do you also want to delete all subcategories ? common zh-tw 您確定要刪除所有的子分類?
|
||||
do you want to use the wysiwyg mode for this textarea? tinymce zh-tw 您確定要在這個文字方塊使用所見即所得編輯器?
|
||||
doctype: common zh-tw 文件類型:
|
||||
document properties common zh-tw 文件屬性
|
||||
document title: common zh-tw 文件標題:
|
||||
@ -223,7 +194,6 @@ domestic common zh-tw 國內的
|
||||
dominica common zh-tw 多明尼加
|
||||
dominican republic common zh-tw 多明尼加共和國
|
||||
done common zh-tw 完成
|
||||
down tinymce zh-tw 下
|
||||
drag to move jscalendar zh-tw 拖曳移動
|
||||
e-mail common zh-tw 電子郵件
|
||||
east timor common zh-tw EAST TIMOR
|
||||
@ -238,7 +208,6 @@ egypt common zh-tw 埃及
|
||||
el salvador common zh-tw EL SALVADOR
|
||||
email common zh-tw 電子郵件
|
||||
email-address of the user, eg. "%1" common zh-tw 使用者的電子郵件, 例: "%1"
|
||||
emotions tinymce zh-tw 表情圖示
|
||||
en common zh-tw zh-tw
|
||||
enabled common zh-tw 啟用
|
||||
end date common zh-tw 結束日期
|
||||
@ -262,39 +231,15 @@ fax number common zh-tw 傳真號碼
|
||||
february common zh-tw 二月
|
||||
fields common zh-tw 欄位
|
||||
fiji common zh-tw 裴濟
|
||||
file already exists. file was not uploaded. tinymce zh-tw 檔案已經存在,上傳失敗
|
||||
file exceeds the size limit tinymce zh-tw 檔案大小超過限制
|
||||
file manager tinymce zh-tw 檔案管理員
|
||||
file not found. tinymce zh-tw 找不到檔案
|
||||
file was not uploaded. tinymce zh-tw 檔案沒有上傳
|
||||
file with specified new name already exists. file was not renamed/moved. tinymce zh-tw 新的檔案名稱已經存在,更換名稱失敗
|
||||
file(s) tinymce zh-tw 檔案
|
||||
file: tinymce zh-tw 檔案:
|
||||
files common zh-tw 檔案
|
||||
files with this extension are not allowed. tinymce zh-tw 這個副檔名不被允許
|
||||
filter common zh-tw 篩選
|
||||
find tinymce zh-tw 搜尋
|
||||
find again tinymce zh-tw 再次搜尋
|
||||
find what tinymce zh-tw 搜尋什麼
|
||||
find next tinymce zh-tw 搜尋下一個
|
||||
find/replace tinymce zh-tw 搜尋/取代
|
||||
finland common zh-tw 芬蘭
|
||||
first name common zh-tw 名
|
||||
first name of the user, eg. "%1" common zh-tw 使用者的名, 例如: "%1"
|
||||
first page common zh-tw 第一頁
|
||||
firstname common zh-tw 名
|
||||
fixme! common zh-tw 修正!
|
||||
flash files tinymce zh-tw Flash檔案
|
||||
flash properties tinymce zh-tw Flash屬性
|
||||
flash-file (.swf) tinymce zh-tw Flash檔案(.swf)
|
||||
folder tinymce zh-tw 資料夾
|
||||
folder already exists. common zh-tw 資料夾已經存在
|
||||
folder name missing. tinymce zh-tw 沒有輸入資料夾名稱
|
||||
folder not found. tinymce zh-tw 找不到資料夾
|
||||
folder with specified new name already exists. folder was not renamed/moved. tinymce zh-tw 新的資料夾名稱已經存在,更換名稱/移動失敗
|
||||
folder(s) tinymce zh-tw 資料夾
|
||||
for mouse out tinymce zh-tw 滑鼠游標移開時
|
||||
for mouse over tinymce zh-tw 滑鼠游標移過時
|
||||
force selectbox common zh-tw 強制使用選取方塊
|
||||
france common zh-tw 法國
|
||||
french guiana common zh-tw 法國奎亞那
|
||||
@ -352,30 +297,15 @@ iceland common zh-tw 冰島
|
||||
iespell not detected. click ok to go to download page. common zh-tw 找不到 ieSpell ,點選是來前往下載頁面。
|
||||
if the clock is enabled would you like it to update it every second or every minute? common zh-tw 如果使用時鐘,更新的頻率是每秒還是每分?
|
||||
if there are some images in the background folder you can choose the one you would like to see. common zh-tw 如果背景資料夾中有一些圖片,您可以選擇希望使用的一個。
|
||||
image description tinymce zh-tw 圖片說明
|
||||
image title tinymce zh-tw 圖片標題
|
||||
image url common zh-tw 圖片網址
|
||||
indent tinymce zh-tw 縮排
|
||||
india common zh-tw 印度
|
||||
indonesia common zh-tw 印尼
|
||||
insert tinymce zh-tw 插入
|
||||
insert 'return false' common zh-tw 插入'return false'
|
||||
insert / edit flash movie tinymce zh-tw 插入 / 編輯Flash影片
|
||||
insert / edit horizontale rule tinymce zh-tw 插入 / 編輯水平線
|
||||
insert all %1 addresses of the %2 contacts in %3 common zh-tw 在 %3 插入 %1 的 %2 筆聯絡人位址
|
||||
insert column after common zh-tw 欄位插在後面
|
||||
insert column before common zh-tw 欄位插在前面
|
||||
insert date tinymce zh-tw 插入日期
|
||||
insert emotion tinymce zh-tw 插入表情圖示
|
||||
insert file tinymce zh-tw 插入檔案
|
||||
insert link to file tinymce zh-tw 插入連結到檔案
|
||||
insert row after common zh-tw 列插在後面
|
||||
insert row before common zh-tw 列插在前面
|
||||
insert time tinymce zh-tw 插入時間
|
||||
insert/edit image tinymce zh-tw 插入/編輯圖片
|
||||
insert/edit link tinymce zh-tw 插入/編輯連結
|
||||
insert/modify table tinymce zh-tw 插入/編輯表格
|
||||
inserts a new table tinymce zh-tw 新增一個表格
|
||||
international common zh-tw 國際
|
||||
invalid filename common zh-tw 錯誤的檔案名稱
|
||||
invalid ip address common zh-tw 錯誤的IP位址
|
||||
@ -393,7 +323,6 @@ jamaica common zh-tw 牙買加
|
||||
january common zh-tw 一月
|
||||
japan common zh-tw 日本
|
||||
jordan common zh-tw 約旦
|
||||
js-popup tinymce zh-tw JS彈出式視窗
|
||||
july common zh-tw 七月
|
||||
jun common zh-tw 六月
|
||||
june common zh-tw 六月
|
||||
@ -402,7 +331,6 @@ justify full common zh-tw 全螢幕
|
||||
justify left common zh-tw 靠左
|
||||
justify right common zh-tw 靠右
|
||||
kazakstan common zh-tw 哈薩克
|
||||
keep linebreaks tinymce zh-tw 保留段落
|
||||
kenya common zh-tw 肯亞
|
||||
keywords common zh-tw 關鍵字
|
||||
kiribati common zh-tw KIRIBATI
|
||||
@ -427,11 +355,9 @@ libyan arab jamahiriya common zh-tw LIBYAN ARAB JAMAHIRIYA
|
||||
license common zh-tw 版權
|
||||
liechtenstein common zh-tw 列支敦士敦
|
||||
line %1: '%2'<br><b>csv data does not match column-count of table %3 ==> ignored</b> common zh-tw 第 %1 行:'%2'<br><b>csv 資料欄位數量與資料表 %3 不同 ==> 略過</b>
|
||||
link url tinymce zh-tw 連結網址
|
||||
list common zh-tw 列表
|
||||
list members common zh-tw 列出會員
|
||||
lithuania common zh-tw LITHUANIA
|
||||
loading files tinymce zh-tw 讀取檔案
|
||||
local common zh-tw 本地
|
||||
login common zh-tw 登入
|
||||
loginid common zh-tw 登入帳號
|
||||
@ -446,7 +372,6 @@ mail domain, eg. "%1" common zh-tw 郵件網址, 例: "%1"
|
||||
main category common zh-tw 主要分類
|
||||
main screen common zh-tw 主畫面
|
||||
maintainer common zh-tw 維護者
|
||||
make window resizable tinymce zh-tw 視窗大小可調整
|
||||
malawi common zh-tw MALAWI
|
||||
malaysia common zh-tw MALAYSIA
|
||||
maldives common zh-tw MALDIVES
|
||||
@ -455,7 +380,6 @@ malta common zh-tw MALTA
|
||||
march common zh-tw 三月
|
||||
marshall islands common zh-tw MARSHALL ISLANDS
|
||||
martinique common zh-tw MARTINIQUE
|
||||
match case tinymce zh-tw 符合大小寫
|
||||
mauritania common zh-tw MAURITANIA
|
||||
mauritius common zh-tw MAURITIUS
|
||||
max number of icons in navbar common zh-tw 導覽列最多顯示圖示數量
|
||||
@ -463,19 +387,16 @@ may common zh-tw 五月
|
||||
mayotte common zh-tw MAYOTTE
|
||||
medium common zh-tw 中等
|
||||
menu common zh-tw 選單
|
||||
merge table cells tinymce zh-tw 合併表格儲存格
|
||||
message common zh-tw 訊息
|
||||
mexico common zh-tw 墨西哥
|
||||
micronesia, federated states of common zh-tw MICRONESIA, FEDERATED STATES OF
|
||||
minute common zh-tw 分
|
||||
mkdir failed. tinymce zh-tw 資料夾建立失敗。
|
||||
moldova, republic of common zh-tw MOLDOVA, REPUBLIC OF
|
||||
monaco common zh-tw MONACO
|
||||
monday common zh-tw 星期一
|
||||
mongolia common zh-tw MONGOLIA
|
||||
montserrat common zh-tw MONTSERRAT
|
||||
morocco common zh-tw MOROCCO
|
||||
move tinymce zh-tw 移動
|
||||
mozambique common zh-tw MOZAMBIQUE
|
||||
multiple common zh-tw 多選
|
||||
myanmar common zh-tw MYANMAR
|
||||
@ -489,11 +410,6 @@ netherlands antilles common zh-tw NETHERLANDS ANTILLES
|
||||
never common zh-tw 從未
|
||||
new caledonia common zh-tw NEW CALEDONIA
|
||||
new entry added sucessfully common zh-tw 成功新增資料
|
||||
new file name missing! tinymce zh-tw 沒有填入新檔案名稱!
|
||||
new file name: tinymce zh-tw 新檔案名稱:
|
||||
new folder tinymce zh-tw 新資料夾
|
||||
new folder name missing! tinymce zh-tw 沒有填入新資料夾名稱!
|
||||
new folder name: tinymce zh-tw 新資料夾名稱:
|
||||
new main category common zh-tw 新的主要分類
|
||||
new value common zh-tw 新數值
|
||||
new zealand common zh-tw 紐西蘭
|
||||
@ -507,15 +423,8 @@ nigeria common zh-tw NIGERIA
|
||||
niue common zh-tw NIUE
|
||||
no common zh-tw 否
|
||||
no entries found, try again ... common zh-tw 找不到任何資料,請重試
|
||||
no files... tinymce zh-tw 沒有檔案...
|
||||
no history for this record common zh-tw 這筆紀錄沒有歷史資料
|
||||
no permission to create folder. tinymce zh-tw 沒有建立資料夾的權限。
|
||||
no permission to delete file. tinymce zh-tw 沒有刪除檔案的權限。
|
||||
no permission to move files and folders. tinymce zh-tw 沒有移動檔案與資料夾的權限。
|
||||
no permission to rename files and folders. tinymce zh-tw 沒有檔案與資料夾改名的權限。
|
||||
no permission to upload. tinymce zh-tw 沒有上傳的權限。
|
||||
no savant2 template directories were found in: common zh-tw 沒有找到 Savant2 樣板資料夾:
|
||||
no shadow tinymce zh-tw 沒有陰影
|
||||
no subject common zh-tw 無主題
|
||||
none common zh-tw 無
|
||||
norfolk island common zh-tw NORFOLK ISLAND
|
||||
@ -534,24 +443,14 @@ old value common zh-tw 原始值
|
||||
oman common zh-tw OMAN
|
||||
on *nix systems please type: %1 common zh-tw 在*nix系統請輸入:%1
|
||||
on mouse over common zh-tw 當滑鼠移過
|
||||
only files with extensions are permited, e.g. "imagefile.jpg". tinymce zh-tw 只允許這些副檔名,例如"imagefile.jpg"。
|
||||
only private common zh-tw 只有私人的
|
||||
only yours common zh-tw 屬於您的資料
|
||||
open file in new window tinymce zh-tw 在新視窗開啟檔案
|
||||
open in new window tinymce zh-tw 在新視窗開啟
|
||||
open in parent window / frame tinymce zh-tw 在原視窗/框架開啟
|
||||
open in the window tinymce zh-tw 在這個視窗開啟
|
||||
open in this window / frame tinymce zh-tw 在這個視窗/框架開啟
|
||||
open in top frame (replaces all frames) tinymce zh-tw 在主框架頁開啟(取代所有框架)
|
||||
open link in a new window tinymce zh-tw 在新視窗開啟連結
|
||||
open link in the same window tinymce zh-tw 在原視窗開啟連結
|
||||
open notify window common zh-tw 開啟警示視窗
|
||||
open popup window common zh-tw 開啟彈出式視窗
|
||||
open sidebox common zh-tw 開啟其他選單
|
||||
ordered list common zh-tw 已排序清單
|
||||
original common zh-tw 原本的
|
||||
other common zh-tw 其它
|
||||
outdent tinymce zh-tw 凸排
|
||||
overview common zh-tw 總覽
|
||||
owner common zh-tw 擁有者
|
||||
page common zh-tw 頁
|
||||
@ -572,11 +471,6 @@ password must contain at least %1 numbers common zh-tw 密碼必須包含至少
|
||||
password must contain at least %1 special characters common zh-tw 密碼必須包含至少 %1 個特殊字元
|
||||
password must contain at least %1 uppercase letters common zh-tw 密碼必須包含至少 %1 個大寫英文字母
|
||||
password must have at least %1 characters common zh-tw 密碼必須包含至少 %1 個字元
|
||||
paste as plain text tinymce zh-tw 以純文字貼上
|
||||
paste from word tinymce zh-tw 從Word貼上
|
||||
paste table row after tinymce zh-tw 在表格列之後貼上
|
||||
paste table row before tinymce zh-tw 在表格列之前貼上
|
||||
path not found. tinymce zh-tw 路徑找不到
|
||||
path to user and group files has to be outside of the webservers document-root!!! common zh-tw 使用者與群組的檔案路徑必須要在網站伺服器的網頁跟目錄之外!
|
||||
pattern for search in addressbook common zh-tw 通訊錄的搜尋規則
|
||||
pattern for search in calendar common zh-tw 行事曆的搜尋規則
|
||||
@ -590,17 +484,13 @@ phpgwapi common zh-tw eGroupWare 核心
|
||||
pitcairn common zh-tw PITCAIRN
|
||||
please %1 by hand common zh-tw 請手動 %1
|
||||
please enter a name common zh-tw 請輸入名稱!
|
||||
please enter the caption text tinymce zh-tw 請輸入標題文字
|
||||
please insert a name for the target or choose another option. tinymce zh-tw 請插入一個目標名稱或是選擇另一個選項。
|
||||
please run setup to become current common zh-tw 請執行設定程式以到目前的
|
||||
please select common zh-tw 請選擇
|
||||
please set your global preferences common zh-tw 請設定您的全域設定
|
||||
please set your preferences for this application common zh-tw 請設定這個應用程式的個人喜好設定
|
||||
please wait... common zh-tw 請等待...
|
||||
poland common zh-tw 波瀾
|
||||
popup url tinymce zh-tw 彈出視窗網址
|
||||
portugal common zh-tw PORTUGAL
|
||||
position (x/y) tinymce zh-tw 位置(X/Y)
|
||||
postal common zh-tw 郵遞區號
|
||||
powered by egroupware version %1 common zh-tw 系統為 <a href="http://www.egroupware.org">eGroupWare</a> 版本 %1
|
||||
powered by phpgroupware version %1 common zh-tw Powered by phpGroupWare version %1
|
||||
@ -608,7 +498,6 @@ preferences common zh-tw 喜好設定
|
||||
preferences for the idots template set common zh-tw idots樣板的設定
|
||||
prev. month (hold for menu) jscalendar zh-tw 上一個月(按住滑鼠鍵)
|
||||
prev. year (hold for menu) jscalendar zh-tw 上一年(按住滑鼠鍵)
|
||||
preview tinymce zh-tw 預覽
|
||||
previous page common zh-tw 上一頁
|
||||
primary style-sheet: common zh-tw 主要樣式表:
|
||||
print common zh-tw 列印
|
||||
@ -622,26 +511,18 @@ qatar common zh-tw QATAR
|
||||
read common zh-tw 讀取
|
||||
read this list of methods. common zh-tw 讀取這個方法的列表
|
||||
reading common zh-tw 閱讀中
|
||||
redo tinymce zh-tw 重做
|
||||
refresh tinymce zh-tw 重新整理
|
||||
reject common zh-tw 拒絕
|
||||
remove col tinymce zh-tw 移除欄位
|
||||
remove selected accounts common zh-tw 移除選取的帳號
|
||||
remove shortcut common zh-tw 移除快速鍵
|
||||
rename common zh-tw 更名
|
||||
rename failed tinymce zh-tw 更名錯誤
|
||||
replace common zh-tw 取代
|
||||
replace with common zh-tw 取代於
|
||||
replace all tinymce zh-tw 全部取代
|
||||
returns a full list of accounts on the system. warning: this is return can be quite large common zh-tw 傳回系統的完整帳號清單。注意:傳回的資料量可能非常多
|
||||
returns an array of todo items common zh-tw 傳回待辦事項所有項目成為陣列
|
||||
returns struct of users application access common zh-tw 傳回使用者應用程式存取架構
|
||||
reunion common zh-tw REUNION
|
||||
right common zh-tw 右
|
||||
rmdir failed. tinymce zh-tw 刪除資料夾錯誤
|
||||
romania common zh-tw ROMANIA
|
||||
rows tinymce zh-tw 列
|
||||
run spell checking tinymce zh-tw 執行文法檢查
|
||||
russian federation common zh-tw RUSSIAN FEDERATION
|
||||
rwanda common zh-tw RWANDA
|
||||
saint helena common zh-tw SAINT HELENA
|
||||
@ -663,7 +544,6 @@ search or select multiple accounts common zh-tw 搜尋或是選擇多個帳號
|
||||
second common zh-tw 秒
|
||||
section common zh-tw 選擇
|
||||
select common zh-tw 選擇
|
||||
select all tinymce zh-tw 選擇全部
|
||||
select all %1 %2 for %3 common zh-tw 選擇 %3 的所有 %1 %2
|
||||
select category common zh-tw 選擇分類
|
||||
select date common zh-tw 選擇日期
|
||||
@ -691,23 +571,17 @@ show all common zh-tw 顯示全部
|
||||
show all categorys common zh-tw 顯示全部類別
|
||||
show clock? common zh-tw 顯示時鐘?
|
||||
show home and logout button in main application bar? common zh-tw 在選單顯示首頁與登出按鈕?
|
||||
show locationbar tinymce zh-tw 顯示網址列
|
||||
show logo's on the desktop. common zh-tw 在桌面顯示圖示。
|
||||
show menu common zh-tw 顯示選單
|
||||
show menubar tinymce zh-tw 顯示選單列
|
||||
show page generation time common zh-tw 顯示網頁產生時間
|
||||
show page generation time on the bottom of the page? common zh-tw 將網頁產生時間顯示在頁尾?
|
||||
show page generation time? common zh-tw 顯示頁面產生時間?
|
||||
show scrollbars tinymce zh-tw 顯示捲動列
|
||||
show statusbar tinymce zh-tw 顯示狀態列
|
||||
show the logo's of egroupware and x-desktop on the desktop. common zh-tw 在桌面顯示 eGroupware 與 x-desktop 的 logo
|
||||
show toolbars tinymce zh-tw 顯示工具列
|
||||
show_more_apps common zh-tw show_more_apps
|
||||
showing %1 common zh-tw 顯示 %1
|
||||
showing %1 - %2 of %3 common zh-tw 顯示 %1 - %2 之 %3
|
||||
sierra leone common zh-tw SIERRA LEONE
|
||||
singapore common zh-tw SINGAPORE
|
||||
size tinymce zh-tw 大小
|
||||
slovakia common zh-tw SLOVAKIA
|
||||
slovenia common zh-tw SLOVENIA
|
||||
solomon islands common zh-tw SOLOMON ISLANDS
|
||||
@ -716,7 +590,6 @@ sorry, your login has expired login zh-tw 抱歉,您的帳號已經過期
|
||||
south africa common zh-tw SOUTH AFRICA
|
||||
south georgia and the south sandwich islands common zh-tw SOUTH GEORGIA AND THE SOUTH SANDWICH ISLANDS
|
||||
spain common zh-tw SPAIN
|
||||
split table cells tinymce zh-tw 切割表格儲存格
|
||||
sri lanka common zh-tw SRI LANKA
|
||||
start date common zh-tw 開始日期
|
||||
start time common zh-tw 開始時間
|
||||
@ -724,7 +597,6 @@ start with common zh-tw 開始於
|
||||
starting up... common zh-tw 開始中...
|
||||
status common zh-tw 狀態
|
||||
stretched common zh-tw 樹狀
|
||||
striketrough tinymce zh-tw 刪除線
|
||||
subject common zh-tw 主題
|
||||
submit common zh-tw 送出
|
||||
substitutions and their meanings: common zh-tw 替代項目與他們的意義:
|
||||
@ -736,24 +608,18 @@ swaziland common zh-tw SWAZILAND
|
||||
sweden common zh-tw SWEDEN
|
||||
switzerland common zh-tw SWITZERLAND
|
||||
syrian arab republic common zh-tw SYRIAN ARAB REPUBLIC
|
||||
table cell properties tinymce zh-tw 儲存格屬性
|
||||
table properties common zh-tw 表格屬性
|
||||
table row properties tinymce zh-tw 表格列屬性
|
||||
taiwan common zh-tw 台灣/台北
|
||||
tajikistan common zh-tw TAJIKISTAN
|
||||
tanzania, united republic of common zh-tw TANZANIA, UNITED REPUBLIC OF
|
||||
target tinymce zh-tw 目標
|
||||
text color: common zh-tw 文字顏色:
|
||||
thailand common zh-tw 泰國
|
||||
the api is current common zh-tw 應用程式介面是最新的
|
||||
the api requires an upgrade common zh-tw 應用程式介面需要升級
|
||||
the following applications require upgrades common zh-tw 下列應用程式需要升級
|
||||
the mail server returned common zh-tw 郵件伺服器傳回
|
||||
the search has been compleated. the search string could not be found. tinymce zh-tw 搜尋完成,搜尋的字串找不到。
|
||||
this application is current common zh-tw 這個應用程式是最新的
|
||||
this application requires an upgrade common zh-tw 這個應用程式需要升級
|
||||
this is just a template button tinymce zh-tw 這只是一個按鈕範例
|
||||
this is just a template popup tinymce zh-tw 這只是一個彈出式視窗範例
|
||||
this name has been used already common zh-tw 這個名字已被使用!
|
||||
thursday common zh-tw 星期四
|
||||
tiled common zh-tw 展開
|
||||
@ -768,7 +634,6 @@ to go back to the msg list, click <a href= %1 >here</a> common zh-tw 點選<a hr
|
||||
today common zh-tw 今天
|
||||
todays date, eg. "%1" common zh-tw 今天日期, 例: "%1"
|
||||
toggle first day of week jscalendar zh-tw 每星期的第一天
|
||||
toggle fullscreen mode tinymce zh-tw 全螢幕模式
|
||||
togo common zh-tw TOGO
|
||||
tokelau common zh-tw TOKELAU
|
||||
tonga common zh-tw TONGA
|
||||
@ -788,29 +653,21 @@ uganda common zh-tw UGANDA
|
||||
ukraine common zh-tw UKRAINE
|
||||
underline common zh-tw 底線
|
||||
underline.gif common zh-tw underline.gif
|
||||
undo tinymce zh-tw 復原
|
||||
united arab emirates common zh-tw UNITED ARAB EMIRATES
|
||||
united kingdom common zh-tw UNITED KINGDOM
|
||||
united states common zh-tw UNITED STATES
|
||||
united states minor outlying islands common zh-tw UNITED STATES MINOR OUTLYING ISLANDS
|
||||
unknown common zh-tw 未知
|
||||
unlink tinymce zh-tw 刪除
|
||||
unlink failed. tinymce zh-tw 刪除失敗。
|
||||
unordered list tinymce zh-tw 未排序列表
|
||||
up tinymce zh-tw 上
|
||||
update common zh-tw 更新
|
||||
update the clock per minute or per second common zh-tw 更新時鐘頻率為每秒或是每分
|
||||
upload common zh-tw 上傳
|
||||
upload directory does not exist, or is not writeable by webserver common zh-tw 上傳資料夾不存在,或是網頁伺服器無法寫入
|
||||
uploading... tinymce zh-tw 上傳中...
|
||||
url common zh-tw 網址
|
||||
uruguay common zh-tw URUGUAY
|
||||
use button to search for common zh-tw 使用按鈕搜尋
|
||||
use button to search for address common zh-tw 使用按鈕搜尋通訊錄
|
||||
use button to search for calendarevent common zh-tw 使用按鈕搜尋行事曆事件
|
||||
use button to search for project common zh-tw 使用按鈕搜尋專案
|
||||
use ctrl and/or shift to select multiple items. tinymce zh-tw 使用Ctrl及/或Shift來選擇多個項目
|
||||
use ctrl+v on your keyboard to paste the text into the window. tinymce zh-tw 使用鍵盤的CTRL+V來貼上文字到視窗中。
|
||||
user common zh-tw 使用者
|
||||
user accounts common zh-tw 使用者帳號
|
||||
user groups common zh-tw 使用者群組
|
||||
@ -822,14 +679,11 @@ uzbekistan common zh-tw UZBEKISTAN
|
||||
vanuatu common zh-tw VANUATU
|
||||
venezuela common zh-tw VENEZUELA
|
||||
version common zh-tw 版本
|
||||
vertical alignment tinymce zh-tw 垂直對齊
|
||||
viet nam common zh-tw 越南
|
||||
view common zh-tw 檢視
|
||||
virgin islands, british common zh-tw 英屬威京群島
|
||||
virgin islands, u.s. common zh-tw 美屬威京群島
|
||||
wallis and futuna common zh-tw WALLIS AND FUTUNA
|
||||
warning!\n renaming or moving folders and files will break existing links in your documents. continue? tinymce zh-tw 警告!\n修改/移動資料夾與檔案會造成文件中的連結失效,確定繼續?
|
||||
warning!n renaming or moving folders and files will break existing links in your documents. continue? tinymce zh-tw 警告!\n修改/移動資料夾與檔案會造成文件中的連結失效,確定繼續?
|
||||
wednesday common zh-tw 星期三
|
||||
welcome common zh-tw 歡迎光臨
|
||||
western sahara common zh-tw WESTERN SAHARA
|
||||
@ -838,7 +692,6 @@ what style would you like the image to have? common zh-tw 圖片使用的風格
|
||||
when you say yes the home and logout buttons are presented as applications in the main top applcation bar. common zh-tw 當您選擇是,首頁與登出圖示會顯示在選單中。
|
||||
which groups common zh-tw 哪個群組
|
||||
width common zh-tw 寬度
|
||||
window name tinymce zh-tw 視窗名稱
|
||||
wk jscalendar zh-tw 週
|
||||
work email common zh-tw 工作信箱
|
||||
would you like to display the page generation time at the bottom of every window? common zh-tw 您是否要在每個視窗的最下方顯示產生時間?
|
||||
@ -856,7 +709,6 @@ you have not entered participants common zh-tw 您尚未輸入關係者
|
||||
you have selected an invalid date common zh-tw 您選擇了不合法的日期!
|
||||
you have selected an invalid main category common zh-tw 您選擇了錯誤的分類!
|
||||
you have successfully logged out common zh-tw 您已經成功登出了
|
||||
you must enter the url tinymce zh-tw 您必須輸入網址
|
||||
you need to add the webserver user '%1' to the group '%2'. common zh-tw 您必須將網站伺服器使用者 '%1' 新增到群組 '%2'
|
||||
your message could <b>not</b> be sent!<br> common zh-tw 您的訊息<b>無法</b>送出!<br>
|
||||
your message has been sent common zh-tw 您的訊息已經送出
|
||||
|
@ -629,157 +629,3 @@ My Categories common zh 类别编辑
|
||||
Icon common zh 图标
|
||||
icon common zh 图标
|
||||
Color common zh 颜色
|
||||
bold tinymce zh_cn 粗体
|
||||
italic tinymce zh_cn 斜体
|
||||
underline tinymce zh_cn 下划线
|
||||
striketrough tinymce zh_cn 删除线
|
||||
align left tinymce zh_cn 左对齐
|
||||
align center tinymce zh_cn 居中对齐
|
||||
align right tinymce zh_cn 右对齐
|
||||
align full tinymce zh_cn 两端对齐
|
||||
unordered list tinymce zh_cn 无序列表
|
||||
ordered list tinymce zh_cn 有序列表
|
||||
outdent tinymce zh_cn 减少缩进
|
||||
indent tinymce zh_cn 增加缩进
|
||||
undo tinymce zh_cn 撤消
|
||||
redo tinymce zh_cn 重做
|
||||
insert/edit link tinymce zh_cn 插入/编辑 链接
|
||||
unlink tinymce zh_cn 删除链接
|
||||
insert/edit image tinymce zh_cn 插入/编辑 图像
|
||||
cleanup messy code tinymce zh_cn 清除冗余代码
|
||||
a editor instance must be focused before using this command. tinymce zh_cn 在使用此命令前某个编辑器必须先获得焦点!
|
||||
do you want to use the wysiwyg mode for this textarea? tinymce zh_cn 你想在此TextArea上使用所见即所得编辑器么?
|
||||
insert/edit link tinymce zh_cn 插入/编辑 链接
|
||||
insert tinymce zh_cn 插入
|
||||
update tinymce zh_cn 更新
|
||||
cancel tinymce zh_cn 取消
|
||||
link url tinymce zh_cn 链接地址
|
||||
target tinymce zh_cn 目标
|
||||
open link in the same window tinymce zh_cn 在同一窗口中打开链接
|
||||
open link in a new window tinymce zh_cn 在新窗口中打开链接
|
||||
insert/edit image tinymce zh_cn 插入/编辑 图像
|
||||
image url tinymce zh_cn 图像地址
|
||||
image description tinymce zh_cn 图像描述
|
||||
help tinymce zh_cn 帮助
|
||||
copy/cut/paste is not available in mozilla and firefox.\ndo you want more information about this issue? tinymce zh_cn 剪切/复制/粘贴功能在Mozilla和Firefox上尚不可用。\n你想了解关于这个问题的更多信息吗?
|
||||
bold tinymce zh_cn 粗体
|
||||
italic tinymce zh_cn 斜体
|
||||
underline tinymce zh_cn 下划线
|
||||
striketrough tinymce zh_cn 删除线
|
||||
align left tinymce zh_cn 左对齐
|
||||
align center tinymce zh_cn 居中对齐
|
||||
align right tinymce zh_cn 右对齐
|
||||
align full tinymce zh_cn 两端对齐
|
||||
unordered list tinymce zh_cn 无序列表
|
||||
ordered list tinymce zh_cn 有序列表
|
||||
outdent tinymce zh_cn 减少缩进
|
||||
indent tinymce zh_cn 增加缩进
|
||||
undo tinymce zh_cn 撤消
|
||||
redo tinymce zh_cn 重做
|
||||
insert/edit link tinymce zh_cn 插入/编辑 链接
|
||||
unlink tinymce zh_cn 删除链接
|
||||
insert/edit image tinymce zh_cn 插入/编辑 图像
|
||||
cleanup messy code tinymce zh_cn 清除冗余代码
|
||||
a editor instance must be focused before using this command. tinymce zh_cn 在使用此命令前某个编辑器必须先获得焦点!
|
||||
do you want to use the wysiwyg mode for this textarea? tinymce zh_cn 你想在此TextArea上使用所见即所得编辑器么?
|
||||
insert/edit link tinymce zh_cn 插入/编辑 链接
|
||||
insert tinymce zh_cn 插入
|
||||
update tinymce zh_cn 更新
|
||||
cancel tinymce zh_cn 取消
|
||||
link url tinymce zh_cn 链接地址
|
||||
target tinymce zh_cn 目标
|
||||
open link in the same window tinymce zh_cn 在同一窗口中打开链接
|
||||
open link in a new window tinymce zh_cn 在新窗口中打开链接
|
||||
insert/edit image tinymce zh_cn 插入/编辑 图像
|
||||
image url tinymce zh_cn 图像地址
|
||||
image description tinymce zh_cn 图像描述
|
||||
help tinymce zh_cn 帮助
|
||||
copy/cut/paste is not available in mozilla and firefox.\ndo you want more information about this issue? tinymce zh_cn 剪切/复制/粘贴功能在Mozilla和Firefox上尚不可用。\n你想了解关于这个问题的更多信息吗?
|
||||
no shadow tinymce zh_cn 无阴影
|
||||
image title tinymce zh_cn 图片标题
|
||||
for mouse over tinymce zh_cn 鼠标移上时
|
||||
for mouse out tinymce zh_cn 鼠标移开时
|
||||
open in this window / frame tinymce zh_cn 在本窗口/框架中打开
|
||||
open in parent window / frame tinymce zh_cn 在父窗口/框架中打开
|
||||
open in top frame (replaces all frames) tinymce zh_cn 在根框架中打开(替换所有框架)
|
||||
open in new window tinymce zh_cn 在新窗口中打开
|
||||
open in the window tinymce zh_cn 在此窗口中打开
|
||||
js-popup tinymce zh_cn JS-Popup
|
||||
popup url tinymce zh_cn 弹出窗口地址
|
||||
window name tinymce zh_cn 窗口名称
|
||||
show scrollbars tinymce zh_cn 显示滚动条
|
||||
show statusbar tinymce zh_cn 显示状态栏
|
||||
show toolbars tinymce zh_cn 显示工具栏
|
||||
show menubar tinymce zh_cn 显示菜单栏
|
||||
show locationbar tinymce zh_cn 显示地址栏
|
||||
make window resizable tinymce zh_cn 可重定义窗口大小
|
||||
size tinymce zh_cn 尺寸
|
||||
position (x/y) tinymce zh_cn 位置(X/Y)
|
||||
please insert a name for the target or choose another option. tinymce zh_cn 请插入目标名称或者选择另外的选项。
|
||||
insert emotion tinymce zh_cn 插入表情
|
||||
emotions tinymce zh_cn 表情
|
||||
flash-file (.swf) tinymce zh_cn Flash文件(.swf)
|
||||
size tinymce zh_cn 尺寸
|
||||
flash files tinymce zh_cn Flash files
|
||||
flash properties tinymce zh_cn Flash properties
|
||||
run spell checking tinymce zh_cn 运行拼写检查
|
||||
insert date tinymce zh_cn 插入当前日期
|
||||
insert time tinymce zh_cn 插入当前时间
|
||||
preview tinymce zh_cn 预览
|
||||
print tinymce zh_cn 打印
|
||||
save tinymce zh_cn 保存
|
||||
find tinymce zh_cn 查找
|
||||
find again tinymce zh_cn 再次查找
|
||||
find/replace tinymce zh_cn 查找/替换
|
||||
the search has been compleated. the search string could not be found. tinymce zh_cn 搜索完毕,没有找到要查找的字符串。
|
||||
find tinymce zh_cn 查找
|
||||
find/replace tinymce zh_cn 查找/替换
|
||||
all occurrences of the search string was replaced. tinymce zh_cn 所有出现的字符串已替换完毕。
|
||||
find what tinymce zh_cn 查找
|
||||
replace with tinymce zh_cn 替换为
|
||||
direction tinymce zh_cn 方向
|
||||
up tinymce zh_cn 向上
|
||||
down tinymce zh_cn 向下
|
||||
match case tinymce zh_cn 匹配大小写
|
||||
find next tinymce zh_cn 查找下一个
|
||||
replace tinymce zh_cn 替换
|
||||
replace all tinymce zh_cn 全部替换
|
||||
cancel tinymce zh_cn 取消
|
||||
inserts a new table tinymce zh_cn 插入新表格
|
||||
insert row before tinymce zh_cn 在前面插入行
|
||||
insert row after tinymce zh_cn 在后面插入行
|
||||
delete row tinymce zh_cn 删除行
|
||||
insert column before tinymce zh_cn 在前面插入列
|
||||
insert column after tinymce zh_cn 在后面插入列
|
||||
remove col tinymce zh_cn 删除列
|
||||
insert/modify table tinymce zh_cn 插入/修改 表格
|
||||
width tinymce zh_cn 宽度
|
||||
height tinymce zh_cn 高度
|
||||
columns tinymce zh_cn 列数
|
||||
rows tinymce zh_cn 行数
|
||||
cellspacing tinymce zh_cn 间距
|
||||
cellpadding tinymce zh_cn 填充
|
||||
border tinymce zh_cn 边框
|
||||
alignment tinymce zh_cn 对齐方式
|
||||
default tinymce zh_cn 默认
|
||||
left tinymce zh_cn 左对齐
|
||||
right tinymce zh_cn 右对齐
|
||||
center tinymce zh_cn 居中对齐
|
||||
class tinymce zh_cn 类
|
||||
table row properties tinymce zh_cn 表格行属性
|
||||
table cell properties tinymce zh_cn 单元格属性
|
||||
table row properties tinymce zh_cn 表格行属性
|
||||
table cell properties tinymce zh_cn 单元格属性
|
||||
vertical alignment tinymce zh_cn 垂直对齐
|
||||
top tinymce zh_cn 顶端
|
||||
bottom tinymce zh_cn 底部
|
||||
table properties tinymce zh_cn Table properties
|
||||
border color tinymce zh_cn Border color
|
||||
bg color tinymce zh_cn Bg color
|
||||
merge table cells tinymce zh_cn Merge table cells
|
||||
split table cells tinymce zh_cn Split table cells
|
||||
merge table cells tinymce zh_cn Merge table cells
|
||||
cut table row tinymce zh_cn Cut table row
|
||||
copy table row tinymce zh_cn Copy table row
|
||||
paste table row before tinymce zh_cn Paste table row before
|
||||
paste table row after tinymce zh_cn Paste table row after
|
||||
|
@ -1,41 +0,0 @@
|
||||
<table border="0" width="100%" cellspacing="0" cellpadding="0">
|
||||
|
||||
<!-- BEGIN egroupware -->
|
||||
<tr>
|
||||
<td align="left">
|
||||
<a href="http://www.eGroupWare.org" target="_new"><img src="{phpgw_logo}" border="0" alt="eGroupWare"></a>
|
||||
</td>
|
||||
</tr>
|
||||
<tr>
|
||||
<td> </td>
|
||||
</tr>
|
||||
<tr>
|
||||
<td align="left">{phpgw_version}</td>
|
||||
</tr>
|
||||
<tr>
|
||||
<td align="left">{phpgw_message}</td>
|
||||
</tr>
|
||||
<tr>
|
||||
<td height="3"><img src="phpgwapi/templates/default/images/spacer.gif" alt="spacer" height="3" /></td>
|
||||
</tr>
|
||||
<tr>
|
||||
<td align="center"><div class="greyLine"></div></td>
|
||||
</tr>
|
||||
|
||||
<!-- END egroupware -->
|
||||
|
||||
<!-- BEGIN application -->
|
||||
<tr>
|
||||
<td height="3"><img src="phpgwapi/templates/default/images/spacer.gif" alt="spacer" height="3" /></td>
|
||||
</tr>
|
||||
<tr>
|
||||
<td align="left">
|
||||
|
||||
{phpgw_app_about}
|
||||
|
||||
</td>
|
||||
</tr>
|
||||
<!-- END application -->
|
||||
|
||||
|
||||
</table>
|
@ -1,146 +0,0 @@
|
||||
<?php
|
||||
/**************************************************************************\
|
||||
* eGroupWare *
|
||||
* http://www.egroupware.org *
|
||||
* This file is written by Rob van Kraanen <rvkraanen@gmail.com> *
|
||||
* -------------------------------------------- *
|
||||
* This program is free software; you can redistribute it and/or modify it *
|
||||
* under the terms of the GNU General Public License as published by the *
|
||||
* Free Software Foundation; either version 2 of the License, or (at your *
|
||||
* option) any later version. *
|
||||
\**************************************************************************/
|
||||
|
||||
$phpgw_info = array();
|
||||
$GLOBALS['phpgw_info']['flags'] = Array(
|
||||
'currentapp' => 'home',
|
||||
);
|
||||
|
||||
include('../../../header.inc.php');
|
||||
|
||||
|
||||
$GLOBALS['idots_tpl'] = createobject('phpgwapi.Template',PHPGW_TEMPLATE_DIR);
|
||||
|
||||
|
||||
$GLOBALS['idots_tpl']->set_file(
|
||||
array(
|
||||
'add_shortcut' => 'add_shortcut.tpl'
|
||||
)
|
||||
);
|
||||
|
||||
$GLOBALS['idots_tpl']->set_block('add_shortcut','formposted','formposted');
|
||||
|
||||
|
||||
/*
|
||||
**If a form is posted
|
||||
**
|
||||
*/
|
||||
if(isset($_POST['submit']) && $_POST['submit'] == lang("Add"))
|
||||
{
|
||||
$GLOBALS['phpgw']->preferences->read_repository();
|
||||
$app_data = $GLOBALS['phpgw_info']['navbar'][$_POST['select']];
|
||||
|
||||
if(!empty($app_data['name']))
|
||||
{
|
||||
$shortcut_data = Array(
|
||||
'title'=> $app_data['name'],
|
||||
'icon'=> $app_data['icon'],
|
||||
'link'=> $app_data['url'],
|
||||
'top'=> $_POST['hitTop'],
|
||||
'left'=> $_POST['hitLeft'],
|
||||
'type'=> 'app'
|
||||
);
|
||||
|
||||
$name = $app_data['name'];
|
||||
$title = $app_data['title'];
|
||||
$url = $app_data['url'];
|
||||
$img = $app_data['icon'];
|
||||
$type = 'arr';
|
||||
$shortcut = $app_data['name'];
|
||||
|
||||
$GLOBALS['phpgw']->preferences->change('phpgwapi',$shortcut,$shortcut_data);
|
||||
$GLOBALS['phpgw']->preferences->save_repository(True);
|
||||
}
|
||||
|
||||
$var['title'] = $title;
|
||||
$var['url'] = $url;
|
||||
$var['img'] = $img;
|
||||
$var['type'] = $type;
|
||||
$var['hitTop']= $_POST['hitTop'];
|
||||
$var['hitLeft']= $_POST['hitLeft'];
|
||||
|
||||
|
||||
$GLOBALS['idots_tpl']->set_var($var);
|
||||
$GLOBALS['idots_tpl']->pfp('out','formposted');
|
||||
|
||||
}
|
||||
else
|
||||
{
|
||||
|
||||
$GLOBALS['idots_tpl']->set_block('add_shortcut','jscript','jscript');
|
||||
$GLOBALS['idots_tpl']->set_block('add_shortcut','css','css');
|
||||
|
||||
$GLOBALS['idots_tpl']->set_block('add_shortcut','selstart','selstart');
|
||||
|
||||
$GLOBALS['idots_tpl']->set_block('add_shortcut','shortcut','shortcut');
|
||||
|
||||
$GLOBALS['idots_tpl']->set_block('add_shortcut','img','img');
|
||||
|
||||
$GLOBALS['idots_tpl']->set_block('add_shortcut','selend','selend');
|
||||
|
||||
$var['appNames'] = "";
|
||||
$var['appUrls'] = "";
|
||||
$first = true;
|
||||
foreach($GLOBALS['phpgw_info']['navbar'] as $app => $app_data)
|
||||
{
|
||||
|
||||
if($first == true)
|
||||
{
|
||||
$var['appNames'] .= $app_data['name'];
|
||||
$var['appUrls'] .= $app_data['icon'];
|
||||
$starturl = $app_data['icon'];
|
||||
$first = false;
|
||||
}
|
||||
else
|
||||
{
|
||||
$var['appNames'] .= ",".$app_data['name'];
|
||||
$var['appUrls'] .= ",".$app_data['icon'];
|
||||
}
|
||||
|
||||
}
|
||||
|
||||
$GLOBALS['idots_tpl']->set_var($var);
|
||||
|
||||
$GLOBALS['idots_tpl']->pfp('out','jscript');
|
||||
$GLOBALS['idots_tpl']->pfp('out','css');
|
||||
|
||||
$var["selName"] = lang("Application");
|
||||
$GLOBALS['idots_tpl']->set_var($var);
|
||||
$GLOBALS['idots_tpl']->pfp('out','selstart');
|
||||
foreach($GLOBALS['phpgw_info']['navbar'] as $app => $app_data)
|
||||
{
|
||||
$found = false;
|
||||
foreach($GLOBALS['phpgw_info']['user']['preferences']['phpgwapi'] as $shortcut=> $shortcut_data)
|
||||
{
|
||||
if($shortcut_data['title'] == $app_data['title'])
|
||||
{
|
||||
$found = true;
|
||||
}
|
||||
}
|
||||
if($found ==false)
|
||||
{
|
||||
$var['item'] = lang($app_data['title']);
|
||||
$var['name'] = $app_data['name'];
|
||||
$GLOBALS['idots_tpl']->set_var($var);
|
||||
$GLOBALS['idots_tpl']->pfp('out','shortcut');
|
||||
}
|
||||
}
|
||||
|
||||
$var["buttonName"]=lang("Add");
|
||||
$GLOBALS['idots_tpl']->set_var($var);
|
||||
$GLOBALS['idots_tpl']->pfp('out','selend');
|
||||
$var['starturl'] = $starturl;
|
||||
$GLOBALS['idots_tpl']->set_var($var);
|
||||
$GLOBALS['idots_tpl']->pfp('out','img');
|
||||
}
|
||||
|
||||
?>
|
@ -1,112 +0,0 @@
|
||||
<!-- BEGIN jscript -->
|
||||
<script type="text/javascript">
|
||||
var appUrls = '{appUrls}';
|
||||
var appNames = '{appNames}';
|
||||
|
||||
var arrUrl = appUrls.split(',');
|
||||
var arrNames = appNames.split(',');
|
||||
function showImage()
|
||||
{
|
||||
imgOb = document.getElementById("app");
|
||||
sel = document.getElementById("select");
|
||||
//alert(sel.value);
|
||||
for(i=0;i < arrNames.length;i++)
|
||||
{
|
||||
if (sel.value == arrNames[i])
|
||||
{
|
||||
// alert(i);
|
||||
// alert(arrUrl[i]);
|
||||
imgOb.src = arrUrl[i];
|
||||
}
|
||||
}
|
||||
document.forms['addshortcut'].elements['hitTop'].value = parent.hitTop;
|
||||
document.forms['addshortcut'].elements['hitLeft'].value = parent.hitLeft;
|
||||
}
|
||||
|
||||
|
||||
</script>
|
||||
<!-- END jscript -->
|
||||
|
||||
<!-- BEGIN formposted -->
|
||||
<script type="text/javascript">
|
||||
|
||||
parent.showShortcut('{title}', '{url}', '{img}', {hitTop}, {hitLeft} , '{type}');
|
||||
|
||||
parent.xDT.deleteWindow('short');
|
||||
|
||||
|
||||
</script>
|
||||
<!-- END formposted -->
|
||||
|
||||
|
||||
|
||||
<!-- BEGIN css -->
|
||||
|
||||
<style>
|
||||
#select
|
||||
{
|
||||
margin-top: 10px;
|
||||
margin-left: 5px;
|
||||
clear: none;
|
||||
float: left;
|
||||
}
|
||||
|
||||
img#app
|
||||
{
|
||||
float: left;
|
||||
margin-top: 25px;
|
||||
margin-left: 40px;
|
||||
clear: right;
|
||||
}
|
||||
#submit
|
||||
{
|
||||
clear: left;
|
||||
display: block;
|
||||
margin-top: 0px;
|
||||
margin-left: 182px;
|
||||
margin-bottom: 5px;
|
||||
margin-right: 5px;
|
||||
}
|
||||
#lblAppBox
|
||||
{
|
||||
margin-left: 5px;
|
||||
margin-top: 10px;
|
||||
float: left;
|
||||
clear: none;
|
||||
}
|
||||
</style>
|
||||
|
||||
<!-- END css -->
|
||||
|
||||
<!-- BEGIN jscript_xdesktop -->
|
||||
|
||||
<!-- END jcsrtip_xdesktop-->
|
||||
|
||||
<!-- BEGIN selstart -->
|
||||
|
||||
<form action="add_shortcut.php" method="POST" name="addshortcut">
|
||||
<label id="lblAppBox" >{selName}</label>
|
||||
<select onchange="showImage()" id='select' name='select'>
|
||||
<!-- END selstart -->
|
||||
|
||||
<!-- BEGIN shortcut -->
|
||||
<option value="{name}">{item}</option>
|
||||
<!-- END shortcut -->
|
||||
|
||||
<!-- BEGIN selend -->
|
||||
</select>
|
||||
|
||||
<!-- END selend -->
|
||||
|
||||
<!-- BEGIN img -->
|
||||
<img src="{starturl}" id="app">
|
||||
<input type="hidden" name="hitTop" value="">
|
||||
<input type="hidden" name="hitLeft" value="">
|
||||
<br><br><br>
|
||||
<input type="submit" name="submit" value="{buttonName}" id ="submit">
|
||||
</form>
|
||||
|
||||
<script type="text/javascript">
|
||||
showImage();
|
||||
</script>
|
||||
<!-- END img -->
|
@ -1,10 +0,0 @@
|
||||
<style type="text/css">
|
||||
<!--
|
||||
.row_on { color: {row_text}; background-color: {row_on}; }
|
||||
.row_off { color: {row_text}; background-color: {row_off}; }
|
||||
.th { color: {th_text}; background-color: {th_bg}; }
|
||||
.narrow_column { width: 1%; white-space: nowrap; }
|
||||
{app_css}
|
||||
-->
|
||||
</style>
|
||||
{css_file}
|
@ -1,326 +0,0 @@
|
||||
/*
|
||||
StyleSheet coding standards:
|
||||
|
||||
1. use lowercase if possible
|
||||
|
||||
2. format styles like this:
|
||||
|
||||
body
|
||||
{
|
||||
font-size: 12px;
|
||||
font-family: Verdana, Arial, Helvetica, sans-serif
|
||||
}
|
||||
|
||||
3. existing html elements on top of the document, then all self defined .classes and at last all self defined #id's.
|
||||
|
||||
4. close every property with ; also the last one.
|
||||
*/
|
||||
|
||||
|
||||
form
|
||||
{
|
||||
margin:0px;
|
||||
padding:0px;
|
||||
}
|
||||
|
||||
img
|
||||
{
|
||||
border-width:0px;
|
||||
border-style:none;
|
||||
/*filter:progid:DXImageTransform.Microsoft.AlphaImageLoader;
|
||||
*/
|
||||
}
|
||||
|
||||
a:link,a:visited
|
||||
{
|
||||
cursor:pointer;
|
||||
color: #006699;
|
||||
text-decoration: none;
|
||||
}
|
||||
|
||||
/*
|
||||
a:visited
|
||||
{
|
||||
color: #006699;
|
||||
text-decoration: none;
|
||||
}
|
||||
*/
|
||||
a:hover,a:active
|
||||
{
|
||||
cursor:pointer;
|
||||
color: #ff9933;
|
||||
text-decoration: underline;
|
||||
}
|
||||
/*
|
||||
a:active
|
||||
{
|
||||
color: #006699;
|
||||
text-decoration: underline;
|
||||
}
|
||||
*/
|
||||
input,button
|
||||
{
|
||||
font-size: 12px;
|
||||
color: #006699;
|
||||
font-family: Arial, Helvetica, sans-serif;
|
||||
border: 1px #bbbbbb solid;
|
||||
}
|
||||
|
||||
input[type=submit],input[type=button],input[type=reset],button
|
||||
{
|
||||
margin:1px;
|
||||
padding:1px;
|
||||
cursor: pointer;
|
||||
cursor: hand;
|
||||
}
|
||||
|
||||
input[type=image]
|
||||
{
|
||||
cursor: pointer;
|
||||
cursor: hand;
|
||||
border: 0px #bbbbbb none;
|
||||
}
|
||||
select
|
||||
{
|
||||
font-size: 11px;
|
||||
color: #006699;
|
||||
font-family: Arial, Helvetica, sans-serif;
|
||||
border: 1px #bbbbbb solid;
|
||||
}
|
||||
|
||||
td
|
||||
{
|
||||
|
||||
/* global tags should never be defined here [ndee]*/
|
||||
font-size: 11px;
|
||||
/* removed text-align:left; [ndee]*/
|
||||
/* padding-top:1px;
|
||||
padding-bottom:1px;*/
|
||||
}
|
||||
|
||||
|
||||
a.appTitles,.appTitles
|
||||
{
|
||||
font-size: 10px;
|
||||
height:18px;
|
||||
padding-top:2px;
|
||||
padding-bottom:2px;
|
||||
}
|
||||
|
||||
.greyLine
|
||||
{
|
||||
margin:1px;
|
||||
border-top-color:#7e7e7e;
|
||||
border-top-width:1px;
|
||||
border-top-style:solid;
|
||||
height:1px;
|
||||
}
|
||||
|
||||
#divStatusBar
|
||||
{
|
||||
background-color:white;
|
||||
height:15px;
|
||||
padding-left:10px;
|
||||
margin-top: 13px;
|
||||
/* margin-bottom: 2px;*/
|
||||
}
|
||||
|
||||
/*#divSubContainer
|
||||
{
|
||||
}
|
||||
*/
|
||||
#tdSidebox
|
||||
{
|
||||
width:170px;
|
||||
background-color:white;
|
||||
overflow:visible;
|
||||
}
|
||||
|
||||
|
||||
#tdAppbox
|
||||
{
|
||||
background-color:white;
|
||||
padding-left:5px;
|
||||
width: 100%;
|
||||
}
|
||||
#divSideboxContainer
|
||||
{
|
||||
position:relative;
|
||||
width:150px;
|
||||
top:0px;
|
||||
left:0px;
|
||||
background-color:white;
|
||||
border-width:1px;
|
||||
border-style:solid;
|
||||
z-index:40;
|
||||
}
|
||||
|
||||
|
||||
|
||||
|
||||
|
||||
#divAppboxHeader
|
||||
{
|
||||
/*width:100%;*/
|
||||
background-image:url(../images/appbox-header-background.png);
|
||||
background-repeat: repeat-x;
|
||||
height:36px;
|
||||
line-height:28px;
|
||||
text-align:center;
|
||||
/* padding-top:7px;*/
|
||||
padding-bottom:0px;
|
||||
font-size:14px;
|
||||
font-weight:bold;
|
||||
color:#666666;
|
||||
border-top-color:#9c9c9c;
|
||||
border-top-width:1px;
|
||||
border-top-style:solid;
|
||||
border-left-color:#9c9c9c;
|
||||
border-left-width:1px;
|
||||
border-left-style:solid;
|
||||
border-right-color:#9c9c9c;
|
||||
border-right-width:1px;
|
||||
border-right-style:solid;
|
||||
}
|
||||
|
||||
#divAppbox
|
||||
{
|
||||
/* width:100%;*/
|
||||
background-color:#f7f7f7;
|
||||
margin-top:30px;
|
||||
padding:0;
|
||||
border: 1px solid #9c9c9c;
|
||||
|
||||
}
|
||||
|
||||
#fmStatusBar
|
||||
{
|
||||
margin-left:4px;
|
||||
margin-bottom:3px;
|
||||
font-size: 10px;
|
||||
/* font-family: Verdana, Arial, Helvetica, sans-serif;*/
|
||||
|
||||
|
||||
}
|
||||
|
||||
|
||||
.fmButton
|
||||
{
|
||||
background-image:url(../images/buttonbackground.png);
|
||||
width:28px;
|
||||
height:28px;
|
||||
background-repeat: no-repeat;
|
||||
}
|
||||
|
||||
#fmLocation
|
||||
{
|
||||
position:relative;
|
||||
/*background-image:url(../images/buttonbackgroundscaled.png);
|
||||
background-repeat: repeat-x;*/
|
||||
/*margin-left:4px;*/
|
||||
margin-bottom:3px;
|
||||
height:27px;
|
||||
|
||||
}
|
||||
|
||||
#fmMenu
|
||||
{
|
||||
position:relative;
|
||||
}
|
||||
#fmFileWindow
|
||||
{
|
||||
background-color:#ffffff;
|
||||
margin-left:4px;
|
||||
padding:5px;
|
||||
position:relative;
|
||||
border-right: #cccccc 1px solid;
|
||||
border-top: #9c9c9c 2px solid;
|
||||
border-left: #9c9c9c 2px solid;
|
||||
border-bottom: #cccccc 1px solid
|
||||
}
|
||||
|
||||
#admin_info
|
||||
{
|
||||
position:relative;
|
||||
text-align:right;
|
||||
}
|
||||
|
||||
#divGenTime
|
||||
{
|
||||
bottom:14px;
|
||||
font-size: 9px;
|
||||
color: #ff0000;
|
||||
text-align:center;
|
||||
width:99%;
|
||||
}
|
||||
|
||||
#divPoweredBy
|
||||
{
|
||||
bottom:14px;
|
||||
font-size: 9px;
|
||||
color: #000;
|
||||
text-align:center;
|
||||
width:99%;
|
||||
}
|
||||
|
||||
#nav{
|
||||
padding: 0;
|
||||
background-color: #F00;
|
||||
list-style: none;
|
||||
height: 26px;
|
||||
width:100%;
|
||||
position: fixed;
|
||||
margin:0;
|
||||
background-color: #CCC;
|
||||
top:0;
|
||||
left:0;
|
||||
background-image:url('../images/back_menubar.png');
|
||||
z-index: 50;
|
||||
border-bottom: 1px solid #9c9c9c;
|
||||
}
|
||||
|
||||
#nav a {
|
||||
text-decoration:none;
|
||||
margin: 2px;
|
||||
padding-left: 3px;
|
||||
padding-right: 3px;
|
||||
}
|
||||
#nav a.activated {
|
||||
background-color:#EEE;
|
||||
border: 1px solid #000;
|
||||
margin: 1px;
|
||||
}
|
||||
|
||||
#nav a:hover {
|
||||
background-color:#EEE;
|
||||
border: 1px solid #000;
|
||||
margin: 1px;
|
||||
}
|
||||
|
||||
#nav ul {
|
||||
padding-top: 2px;
|
||||
background-color:#FFF;
|
||||
border: 1px solid #000;
|
||||
display:none;
|
||||
margin-left: 1px;
|
||||
padding-left: 0px;
|
||||
position: absolute;
|
||||
}
|
||||
#nav li
|
||||
{
|
||||
padding: 0;
|
||||
padding-top: 2px;
|
||||
padding-bottom: 2px;
|
||||
margin: 0;
|
||||
|
||||
list-style: none;
|
||||
float:left;
|
||||
height: 18px;
|
||||
}
|
||||
#nav li li
|
||||
{
|
||||
clear:both;
|
||||
margin-right:2px;
|
||||
}
|
||||
|
||||
|
@ -1,478 +0,0 @@
|
||||
body, html
|
||||
{
|
||||
scrollbar-3dlight-color : #000000;
|
||||
scrollbar-arrow-color : #000000;
|
||||
scrollbar-base-color : #000000;
|
||||
scrollbar-darkshadow-color : #000000;
|
||||
scrollbar-face-color : #C6C6C6;
|
||||
scrollbar-highlight-color : #C6C6C6;
|
||||
scrollbar-shadow-color : #000000;
|
||||
scrollbar-track-color : #e0e0e0;
|
||||
top: 0;
|
||||
left: 0;
|
||||
margin: 0px 5px 5px 5px;
|
||||
padding: 0;
|
||||
padding-top: 0px;
|
||||
background-color: #ffffff;
|
||||
font-family: Verdana, Arial, sans-serif, Helvetica;
|
||||
font-style: normal;
|
||||
text-decoration: none;
|
||||
color: #000000;
|
||||
font-size: 11px;
|
||||
}
|
||||
form
|
||||
{
|
||||
margin:0px;
|
||||
padding:0px;
|
||||
}
|
||||
|
||||
img
|
||||
{
|
||||
border-width:0px;
|
||||
border-style:none;
|
||||
}
|
||||
|
||||
a:link,a:visited
|
||||
{
|
||||
cursor:pointer;
|
||||
color: #006699;
|
||||
text-decoration: none;
|
||||
}
|
||||
a:hover,a:active
|
||||
{
|
||||
cursor:pointer;
|
||||
color: #ff9933;
|
||||
text-decoration: underline;
|
||||
}
|
||||
|
||||
input,button
|
||||
{
|
||||
font-size: 12px;
|
||||
color: #006699;
|
||||
font-family: Arial, Helvetica, sans-serif;
|
||||
border: 1px #bbbbbb solid;
|
||||
}
|
||||
|
||||
input[type=submit],input[type=button],input[type=reset],button
|
||||
{
|
||||
margin:1px;
|
||||
padding:1px;
|
||||
cursor: pointer;
|
||||
cursor: hand;
|
||||
}
|
||||
|
||||
input[type=image]
|
||||
{
|
||||
cursor: pointer;
|
||||
cursor: hand;
|
||||
border: 0px #bbbbbb none;
|
||||
}
|
||||
select
|
||||
{
|
||||
font-size: 11px;
|
||||
color: #006699;
|
||||
font-family: Arial, Helvetica, sans-serif;
|
||||
border: 1px #bbbbbb solid;
|
||||
}
|
||||
|
||||
td
|
||||
{
|
||||
color: #000000;
|
||||
font-size: 11px;
|
||||
font-family: Verdana, Arial, sans-serif, Helvetica;
|
||||
font-style: normal;
|
||||
text-decoration: none;
|
||||
}
|
||||
|
||||
.xF_button { background-color: #638494; border: 1px solid #000000; font-family: Verdana, Arial, sans-serif, Helvetica; font-style: normal; text-decoration: none; color: #ffffff; font-size: 11px;}
|
||||
.xF_submit { background-color: #638494; border: 1px solid #000000; font-family: Verdana, Arial, sans-serif, Helvetica; font-style: normal; text-decoration: none; font-size: 11px;}
|
||||
.xF_text { background-color: #FFFFFF; border: 1px solid #000000; font-family: Verdana, Arial, sans-serif, Helvetica; font-style: normal; text-decoration: none; font-size: 11px;}
|
||||
.xF_textarea { background-color: #FFFFFF; border: 1px solid #000000; font-family: Verdana, Arial, sans-serif, Helvetica; font-style: normal; text-decoration: none; font-size: 11px;}
|
||||
.xF_select { background-color: #FFFFFF; border: 1px solid #000000; font-family: Verdana, Arial, sans-serif, Helvetica; font-style: normal; text-decoration: none; font-size: 11px;}
|
||||
.xF_title {color: #000000; font-size: 12px; font-family: Verdana, Arial, sans-serif, Helvetica; font-style: normal; text-decoration: none;}
|
||||
.xF_a_button:link, .xF_a_button:visited, .xF_a_button:hover, .xF_a_button:active { font-family: Verdana, Arial, sans-serif; font-size: 11px; font-weight: normal; color:#FFFFFF; text-decoration:underline }
|
||||
|
||||
|
||||
#nav
|
||||
{
|
||||
padding: 0;
|
||||
list-style: none;
|
||||
height: 20px;
|
||||
width:100%;
|
||||
background-color:#eeeeee;
|
||||
position: fixed;
|
||||
margin:0;
|
||||
top:0;
|
||||
left:0;
|
||||
z-index: 900;
|
||||
border-bottom: 1px solid #9c9c9c;
|
||||
}
|
||||
|
||||
#nav a,#nav a:visited
|
||||
{
|
||||
display:block;
|
||||
text-decoration:none;
|
||||
margin: 0px;
|
||||
}
|
||||
|
||||
#nav>li a
|
||||
{
|
||||
padding-left: 5px;
|
||||
padding-right: 5px;
|
||||
}
|
||||
#nav>ul
|
||||
{
|
||||
height: 20px;
|
||||
}
|
||||
#nav a:hover, #nav a:active
|
||||
{
|
||||
display:block;
|
||||
background-color:#2773fe;
|
||||
border: 0px solid #000;
|
||||
color:#ffffff;
|
||||
}
|
||||
|
||||
#nav ul {
|
||||
padding-top: 0px;
|
||||
margin-top:3px;
|
||||
border: 1px solid #9c9c9c;
|
||||
display:none;
|
||||
border-style: outset;
|
||||
min-width:100px;
|
||||
margin-left: 0px;
|
||||
padding-left: 0px;
|
||||
z-index: 900;
|
||||
}
|
||||
|
||||
#nav ul ul,#nav ul
|
||||
{
|
||||
background-color:#eeeeee;
|
||||
position: absolute;
|
||||
}
|
||||
|
||||
#nav li:hover, #nav li li:hover
|
||||
{
|
||||
display:block;
|
||||
background-color:#2773fe;
|
||||
color:white;
|
||||
}
|
||||
|
||||
#nav>li, #nav>li:hover
|
||||
{
|
||||
padding: 0;
|
||||
padding-top: 2px;
|
||||
padding-bottom: 0px;
|
||||
margin: 0;
|
||||
list-style: none;
|
||||
float:left;
|
||||
height: 18px;
|
||||
}
|
||||
|
||||
#nav>li:hover ul
|
||||
{
|
||||
display:block;
|
||||
}
|
||||
|
||||
#nav li li,#nav li li:hover
|
||||
{
|
||||
display:block;
|
||||
color:white;
|
||||
list-style: none;
|
||||
position: relative;
|
||||
clear:both;
|
||||
margin:0px;
|
||||
height:18px;
|
||||
padding:0px;
|
||||
padding-top: 2px;
|
||||
}
|
||||
|
||||
#nav li li:hover a, #nav li:hover>a
|
||||
{
|
||||
color:white;
|
||||
}
|
||||
|
||||
|
||||
|
||||
#sidebox_container
|
||||
{
|
||||
border-top:outset 1px #9c9c9c;
|
||||
border-bottom:outset 1px #9c9c9c;
|
||||
border-right:outset 1px #9c9c9c;
|
||||
left:0px;
|
||||
width:170px;
|
||||
background-color:white;
|
||||
display:none;
|
||||
overflow:visible;
|
||||
position:fixed;
|
||||
z-index:899;
|
||||
padding:0;
|
||||
}
|
||||
|
||||
.sidebox
|
||||
{
|
||||
|
||||
}
|
||||
|
||||
.sidebox li
|
||||
{
|
||||
display:block;
|
||||
margin:2px;
|
||||
}
|
||||
|
||||
.sidebox ul
|
||||
{
|
||||
_list-style:none;
|
||||
list-style-position:inside;
|
||||
padding-left:10px;
|
||||
}
|
||||
|
||||
.sidebox_title
|
||||
{
|
||||
background-color:#dedede;
|
||||
padding:5px;
|
||||
font-weight:bold;
|
||||
}
|
||||
|
||||
.divLoginbox
|
||||
{
|
||||
position:relative;
|
||||
width: 300px;
|
||||
border-right: #9c9c9c 1px solid;
|
||||
border-top: #9c9c9c 1px solid;
|
||||
border-left: #9c9c9c 1px solid;
|
||||
border-bottom: #9c9c9c 1px solid
|
||||
}
|
||||
|
||||
.divLoginboxHeader
|
||||
{
|
||||
text-align:center;
|
||||
background-color:#dddddd;
|
||||
padding-top:2px;
|
||||
font-size:11px;
|
||||
font-weight:bold;
|
||||
color:#FFFFFF;
|
||||
}
|
||||
.divSidebox
|
||||
{
|
||||
position:relative;
|
||||
width: 147px;
|
||||
border-right: #9c9c9c 1px solid;
|
||||
border-top: #9c9c9c 1px solid;
|
||||
border-left: #9c9c9c 1px solid;
|
||||
border-bottom: #9c9c9c 1px solid
|
||||
}
|
||||
|
||||
.divSideboxHeader
|
||||
{
|
||||
text-align:center;
|
||||
padding-top:2px;
|
||||
font-size:10px;
|
||||
color:#666666;
|
||||
}
|
||||
|
||||
a.divSideboxEntry, .divSideboxEntry
|
||||
{
|
||||
text-align:left;
|
||||
height:16px;
|
||||
background-color:#eeeeee;
|
||||
}
|
||||
|
||||
a.appTitles,.appTitles
|
||||
{
|
||||
font-size: 10px;
|
||||
height:18px;
|
||||
padding-top:2px;
|
||||
padding-bottom:2px;
|
||||
}
|
||||
|
||||
.sideboxSpace
|
||||
{
|
||||
height:9px;
|
||||
}
|
||||
|
||||
.greyLine
|
||||
{
|
||||
margin:1px;
|
||||
border-top-color:#7e7e7e;
|
||||
border-top-width:1px;
|
||||
border-top-style:solid;
|
||||
height:1px;
|
||||
}
|
||||
|
||||
.prefSection
|
||||
{
|
||||
font-weight:bold;
|
||||
font-size:16px;
|
||||
line-height:40px;
|
||||
}
|
||||
|
||||
.extraIconsRow
|
||||
{
|
||||
border-top-color:#dddddd;
|
||||
border-top-width:1px;
|
||||
border-top-style:solid;
|
||||
padding:2px;
|
||||
}
|
||||
|
||||
#extraIcons
|
||||
{
|
||||
background-color:#eeeeee;
|
||||
border-width:1px;
|
||||
border-color:#7e7e7e;
|
||||
border-style:solid;
|
||||
}
|
||||
|
||||
#divLogo
|
||||
{
|
||||
position:absolute;
|
||||
left:20px;
|
||||
top:5px;
|
||||
z-index:51;
|
||||
}
|
||||
|
||||
#divAppTextBar
|
||||
{
|
||||
background-color:white;
|
||||
}
|
||||
|
||||
#divStatusBar
|
||||
{
|
||||
background-color:white;
|
||||
height:15px;
|
||||
padding-left:10px;
|
||||
margin-top: 13px;
|
||||
}
|
||||
|
||||
#tdSidebox
|
||||
{
|
||||
width:170px;
|
||||
background-color:white;
|
||||
overflow:visible;
|
||||
}
|
||||
|
||||
|
||||
#tdAppbox
|
||||
{
|
||||
background-color:white;
|
||||
padding-left:5px;
|
||||
width: 100%;
|
||||
}
|
||||
#divSideboxContainer
|
||||
{
|
||||
position:relative;
|
||||
width:150px;
|
||||
top:0px;
|
||||
left:0px;
|
||||
background-color:white;
|
||||
border-width:1px;
|
||||
border-style:solid;
|
||||
z-index:40;
|
||||
}
|
||||
|
||||
#divAppboxHeader
|
||||
{
|
||||
padding-bottom:0px;
|
||||
font-size:14px;
|
||||
font-weight:bold;
|
||||
color:#666666;
|
||||
}
|
||||
|
||||
#divAppbox
|
||||
{
|
||||
background-color:#ffffff;
|
||||
margin-top:50px;
|
||||
padding:0;
|
||||
}
|
||||
|
||||
fmStatusBar
|
||||
{
|
||||
margin-left:4px;
|
||||
margin-bottom:3px;
|
||||
font-size: 10px;
|
||||
}
|
||||
|
||||
.fmButton
|
||||
{
|
||||
background-image:url(../images/buttonbackground.png);
|
||||
width:28px;
|
||||
height:28px;
|
||||
background-repeat: no-repeat;
|
||||
}
|
||||
|
||||
#fmLocation
|
||||
{
|
||||
position:relative;
|
||||
margin-bottom:3px;
|
||||
height:27px;
|
||||
}
|
||||
|
||||
#fmMenu
|
||||
{
|
||||
position:relative;
|
||||
}
|
||||
#fmFileWindow
|
||||
{
|
||||
background-color:#ffffff;
|
||||
margin-left:4px;
|
||||
padding:5px;
|
||||
position:relative;
|
||||
border-right: #cccccc 1px solid;
|
||||
border-top: #9c9c9c 2px solid;
|
||||
border-left: #9c9c9c 2px solid;
|
||||
border-bottom: #cccccc 1px solid
|
||||
}
|
||||
|
||||
#admin_info
|
||||
{
|
||||
position:relative;
|
||||
text-align:right;
|
||||
}
|
||||
|
||||
#divGenTime
|
||||
{
|
||||
bottom:14px;
|
||||
font-size: 9px;
|
||||
color: #ff0000;
|
||||
text-align:center;
|
||||
width:99%;
|
||||
}
|
||||
|
||||
#divPoweredBy
|
||||
{
|
||||
bottom:14px;
|
||||
font-size: 9px;
|
||||
color: #000;
|
||||
text-align:center;
|
||||
width:99%;
|
||||
}
|
||||
|
||||
.idots2toolbar
|
||||
{
|
||||
background-color: #e5e5e5;
|
||||
display: block;
|
||||
position: fixed;
|
||||
top: 20px;
|
||||
left: 0;
|
||||
padding: 0;
|
||||
width: 100%;
|
||||
height: 26px;
|
||||
z-index: 49;
|
||||
border-bottom: 1px solid #9c9c9c;
|
||||
}
|
||||
.idots2toolbar a
|
||||
{
|
||||
background-color: #e5e5e5;
|
||||
display: block;
|
||||
float: left;
|
||||
width: 30px;
|
||||
height: 20px;
|
||||
padding: 0;
|
||||
margin-top: 2px;
|
||||
margin-bottom: 1px;
|
||||
margin-left: 2px;
|
||||
margin-right: 2px;
|
||||
text-align: center;
|
||||
background-position: center center;
|
||||
background-repeat: no-repeat;
|
||||
border: 1px solid #e5e5e5;
|
||||
}
|
@ -1,341 +0,0 @@
|
||||
html, body {
|
||||
scrollbar-3dlight-color : #000000;
|
||||
scrollbar-arrow-color : #000000;
|
||||
scrollbar-base-color : #000000;
|
||||
scrollbar-darkshadow-color : #000000;
|
||||
scrollbar-face-color : #C6C6C6;
|
||||
scrollbar-highlight-color : #C6C6C6;
|
||||
scrollbar-shadow-color : #000000;
|
||||
scrollbar-track-color : #e0e0e0;
|
||||
font-family: Verdana, Arial, sans-serif, Helvetica;
|
||||
font-style: normal;
|
||||
text-decoration: none;
|
||||
font-size: 11px;
|
||||
height: 100%;
|
||||
width: 100%;
|
||||
overflow: hidden;
|
||||
top: 0;
|
||||
left: 0;
|
||||
margin: 0;
|
||||
padding: 0;
|
||||
}
|
||||
|
||||
div.xDT_clsCBE
|
||||
{
|
||||
position:absolute;
|
||||
visibility:hidden;
|
||||
top: 0px; left: 0px;
|
||||
width:100%;
|
||||
height:100%;
|
||||
clip:rect(0,100%,100%,0);
|
||||
overflow: hidden;
|
||||
color: #000000; margin:0px;
|
||||
padding-bottom: 2px;
|
||||
/*padding-bottom: 50px;*/
|
||||
}
|
||||
|
||||
#xdesktop
|
||||
{
|
||||
margin: 0;
|
||||
padding: 0;
|
||||
overflow: hidden;
|
||||
}
|
||||
|
||||
|
||||
|
||||
.xF_button { background-color: #638494; border: 1px solid #000000; font-family: Verdana, Arial, sans-serif, Helvetica; font-style: normal; text-decoration: none; color: #ffffff; font-size: 11px;}
|
||||
.xF_submit { background-color: #638494; border: 1px solid #000000; font-family: Verdana, Arial, sans-serif, Helvetica; font-style: normal; text-decoration: none; font-size: 11px;}
|
||||
.xF_text { background-color: #FFFFFF; border: 1px solid #000000; font-family: Verdana, Arial, sans-serif, Helvetica; font-style: normal; text-decoration: none; font-size: 11px;}
|
||||
.xF_textarea { background-color: #FFFFFF; border: 1px solid #000000; font-family: Verdana, Arial, sans-serif, Helvetica; font-style: normal; text-decoration: none; font-size: 11px;}
|
||||
.xF_select { background-color: #FFFFFF; border: 1px solid #000000; font-family: Verdana, Arial, sans-serif, Helvetica; font-style: normal; text-decoration: none; font-size: 11px;}
|
||||
.xF_title {color: #000000; font-size: 12px; font-family: Verdana, Arial, sans-serif, Helvetica; font-style: normal; text-decoration: none;}
|
||||
.xF_a_button:link, .xF_a_button:visited, .xF_a_button:hover, .xF_a_button:active { font-family: Verdana, Arial, sans-serif; font-size: 11px; font-weight: normal; color:#FFFFFF; text-decoration:underline }
|
||||
|
||||
a:link, a:visited, a:hover, a:active { font-family: Verdana, Arial, sans-serif; font-size: 11px; font-weight: normal; color:#000000; text-decoration:underline }
|
||||
TD {color: #000000; font-size: 11px; font-family: Verdana, Arial, sans-serif, Helvetica; font-style: normal; text-decoration: none;}
|
||||
|
||||
.posabs {position: absolute }
|
||||
|
||||
.xDT_moveWindow {
|
||||
font-family: Verdana, Arial, sans-serif, Helvetica;
|
||||
text-decoration: none;
|
||||
background-color: transparent;
|
||||
color: #aaaaaa;
|
||||
font-size: 10px;
|
||||
border: 1px #aaaaaa dashed;
|
||||
|
||||
}
|
||||
img {
|
||||
border: none;
|
||||
}
|
||||
|
||||
img#backstretched {
|
||||
position: absolute;
|
||||
width: 100%;
|
||||
height: 100%;
|
||||
left: 0;
|
||||
top:0;
|
||||
padding: 0;
|
||||
margin: 0;
|
||||
z-index: 1;
|
||||
}
|
||||
|
||||
#launchmenu ul
|
||||
{
|
||||
|
||||
display: block;
|
||||
list-style-type: none;
|
||||
float: left;
|
||||
margin: 0;
|
||||
margin-left: -1px;
|
||||
width: 235px;
|
||||
padding: 0;
|
||||
border: 1px solid #7e7e7e;
|
||||
/*border-left:0;*/
|
||||
background-color: #FFF;
|
||||
}
|
||||
#launchmenu ul li
|
||||
{
|
||||
display: block;
|
||||
/* width: 240px;*/
|
||||
/* margin-right: 2px;
|
||||
margin-left: 2px;*/
|
||||
height: 22px;
|
||||
/* padding: 2px 0px 2px 0px;*/
|
||||
clear: both;
|
||||
/* float: left;*/
|
||||
vertical-align: middle;
|
||||
}
|
||||
|
||||
#launchmenu ul li img
|
||||
{
|
||||
display: block;
|
||||
float: left;
|
||||
width: 20px;
|
||||
height: 20px;
|
||||
margin: 0px 10px 0px 3px;
|
||||
}
|
||||
#launchmenu ul li a
|
||||
{
|
||||
display: block;
|
||||
font-size: 12px;
|
||||
padding-top:2px;
|
||||
text-decoration: none;
|
||||
overflow: hidden;
|
||||
/* height: 20px;*/
|
||||
}
|
||||
#launchmenu ul li a:hover
|
||||
{
|
||||
display: block;
|
||||
background-color:#2773fe;
|
||||
color:white;
|
||||
/* border: 1px solid #A24533;
|
||||
margin: 1px;
|
||||
padding-right: 3px;
|
||||
*/
|
||||
}
|
||||
|
||||
#launchmenu ul li.programs
|
||||
{
|
||||
background-color: #F00;
|
||||
background-image: url('../js/x-desktop/xDT/skins/IDOTS2/menu_back.png');
|
||||
margin: 0;
|
||||
width: 235px;
|
||||
/* padding-left: 10px;*/
|
||||
height: 23px;
|
||||
/* padding-top: 2px;
|
||||
padding-bottom: 2px;*/
|
||||
border-bottom: 1px solid #7e7e7e;
|
||||
|
||||
}
|
||||
#launchmenu ul li.programs img
|
||||
{
|
||||
width: 9px;
|
||||
height: 23px;
|
||||
margin: 0;
|
||||
}
|
||||
#launchmenu ul li.programs span
|
||||
{
|
||||
background-image: url('../js/x-desktop/xDT/skins/IDOTS2/btn_white_middle.png');
|
||||
padding-left: 10px;
|
||||
|
||||
}
|
||||
|
||||
|
||||
#launchinfo {
|
||||
float: left;
|
||||
background: #CCC;
|
||||
width: 15px;
|
||||
height: 100%;
|
||||
display: hidden;
|
||||
}
|
||||
|
||||
#tasks {
|
||||
margin-top: 2px;
|
||||
}
|
||||
img.taskbegin {
|
||||
float: left;
|
||||
margin: 0;
|
||||
margin-left: 0;
|
||||
}
|
||||
a.taskNode {
|
||||
display:block;
|
||||
width: 150px;
|
||||
height: 23px;
|
||||
float: left;
|
||||
margin: 0;
|
||||
margin-left: 20px;
|
||||
text-align: center;
|
||||
color: #000;
|
||||
font-weight: 900;
|
||||
text-decoration:none;
|
||||
}
|
||||
|
||||
a.taskNode span {
|
||||
float: left;
|
||||
background-image: url('../js/x-desktop/xDT/skins/IDOTS2/btn_white_middle.png');
|
||||
height: 21px;
|
||||
margin: 0px;
|
||||
padding: 0px;
|
||||
padding-top: 2px;
|
||||
}
|
||||
a.taskNode2 {
|
||||
display:block;
|
||||
width: 150px;
|
||||
height: 23px;
|
||||
float: left;
|
||||
|
||||
margin: 0;
|
||||
margin-left: 20px;
|
||||
text-align: center;
|
||||
color: #000;
|
||||
font-weight: 900;
|
||||
}
|
||||
a.taskNode2 span {
|
||||
float: left;
|
||||
background-image: url('../js/x-desktop/xDT/skins/IDOTS2/btn_orange_middle.png');
|
||||
height: 21px;
|
||||
padding-top: 2px;
|
||||
}
|
||||
img.taskend {
|
||||
float: left;
|
||||
margin: 0;
|
||||
|
||||
clear: none;
|
||||
}
|
||||
|
||||
img.titleleft
|
||||
{
|
||||
float: left;
|
||||
height: 23px;
|
||||
display: block;
|
||||
clear: none;
|
||||
margin-left: 10px;
|
||||
}
|
||||
span.titlemiddle
|
||||
{
|
||||
float: left;
|
||||
background-image: url('../js/x-desktop/xDT/skins/IDOTS2/btn_white_middle.png');
|
||||
height: 19px;
|
||||
padding: 0;
|
||||
padding-top: 4px;
|
||||
text-align: center;
|
||||
color: #000;
|
||||
font-weight: 900;
|
||||
display: block;
|
||||
clear: none;
|
||||
}
|
||||
img.titleright
|
||||
{
|
||||
float: left;
|
||||
height: 23px;
|
||||
display: block;
|
||||
clear: none;
|
||||
}
|
||||
|
||||
ul#context, ul#context2
|
||||
{
|
||||
position: absolute;
|
||||
/*height: 100px;
|
||||
width: 100px;*/
|
||||
background-color: #FFF;
|
||||
top: 10px;
|
||||
left: 10px;
|
||||
z-index: 100;
|
||||
list-style: none;
|
||||
padding: 0;
|
||||
padding-right: 10px;
|
||||
_padding-right: 0;
|
||||
border: 1px solid #7e7e7e;
|
||||
_width:125px;
|
||||
}
|
||||
#context li, #context2 li
|
||||
{
|
||||
height: 100%;
|
||||
width: 100%;
|
||||
}
|
||||
#context a, #context2 a
|
||||
{
|
||||
border: 1px solid transparent;
|
||||
background-color: #FFF;
|
||||
margin-top: 2px;
|
||||
margin-bottom: 2px;
|
||||
margin-left: 2px;
|
||||
margin-right: 2px;
|
||||
height: 100%;
|
||||
width: 100%;
|
||||
padding: 2px;
|
||||
color: #006699;
|
||||
cursor:pointer;
|
||||
display: block;
|
||||
text-decoration: none;
|
||||
}
|
||||
#context a:hover, #context2 a:hover
|
||||
{
|
||||
border: 1px solid #7e7e7e;
|
||||
margin-top: 2px;
|
||||
background-color: #EEE;
|
||||
margin-bottom: 2px;
|
||||
text-decoration:none;
|
||||
color: #FF9933;
|
||||
font-family: Verdana, sans-serif;
|
||||
}
|
||||
|
||||
#tiled, #centered, #stretched
|
||||
{
|
||||
position: absolute;
|
||||
left: 0;
|
||||
top: 0;
|
||||
width: 100%;
|
||||
height: 100%;
|
||||
z-index: 1;
|
||||
}
|
||||
#centered
|
||||
{
|
||||
background-position: center center;
|
||||
background-repeat: no-repeat;
|
||||
}
|
||||
|
||||
div.shortcut
|
||||
{
|
||||
display: block;
|
||||
position: absolute;
|
||||
z-index: 3;
|
||||
text-decoration:none;
|
||||
text-align: center;
|
||||
padding-top: 32px;
|
||||
_padding-top: inherit;
|
||||
}
|
||||
div.shortcut span.iex {
|
||||
width: 32px;
|
||||
height: 32px;
|
||||
display: block;
|
||||
}
|
||||
|
||||
div.shortcut span.title
|
||||
{
|
||||
clear: left;
|
||||
display: block;
|
||||
background-color: #FFF;
|
||||
|
||||
}
|
@ -1,114 +0,0 @@
|
||||
div#taskbar {
|
||||
border-top: 2px solid #000;
|
||||
color: #D4D4D4;
|
||||
position: absolute;
|
||||
bottom: 0;
|
||||
left: 0;
|
||||
width: 100%;
|
||||
height: 30px;
|
||||
z-index: 9999;
|
||||
background-image: url('../js/x-desktop/xDT/skins/IDOTS2/menu_back.png');
|
||||
padding-top: 2px;
|
||||
|
||||
}
|
||||
div#tb {
|
||||
|
||||
float:left;
|
||||
margin-top: 0;
|
||||
margin-left: 5px;
|
||||
font-size: 14px;
|
||||
font-weight: 900;
|
||||
cursor: pointer;
|
||||
width: 23px;
|
||||
height: 22px;
|
||||
}
|
||||
img#launch {
|
||||
margin-top: 0;
|
||||
margin-left: 4px;
|
||||
cursor: pointer;
|
||||
vertical-align: bottom;
|
||||
display: block;
|
||||
float: left;
|
||||
clear: none;
|
||||
width: 66px;
|
||||
height: 22px;
|
||||
}
|
||||
|
||||
div#clock {
|
||||
float: right;
|
||||
margin-top: 0;
|
||||
margin-right: 2px;
|
||||
width: 190px;
|
||||
padding-left: 3px;
|
||||
padding-right: 3px;
|
||||
padding-top: 6px;
|
||||
color: #000;
|
||||
background-image: url('../js/x-desktop/xDT/skins/IDOTS2/back_clock.png');
|
||||
font-size: 11px;
|
||||
height: 20px;
|
||||
font-weight: 900;
|
||||
|
||||
cursor: pointer;
|
||||
text-align: center;
|
||||
}
|
||||
a#warning {
|
||||
display: none;
|
||||
position: absolute;
|
||||
bottom: 2px;
|
||||
right: 210px;
|
||||
z-index: 99999;
|
||||
}
|
||||
a.noclock#warning {
|
||||
right: 10px;
|
||||
}
|
||||
ul#notify {
|
||||
position: absolute;
|
||||
display: none;
|
||||
background: #FFF;
|
||||
bottom: 24px;
|
||||
right: 50px;
|
||||
border: 1px solid #000;
|
||||
z-index: 111111;
|
||||
padding-left: 15px;
|
||||
}
|
||||
ul#notify li {
|
||||
padding: 2px;
|
||||
|
||||
}
|
||||
|
||||
|
||||
|
||||
div#clock span {
|
||||
font-size: 15px;
|
||||
}
|
||||
|
||||
img#xdesktoplogo
|
||||
{
|
||||
position:absolute;
|
||||
right:5px;
|
||||
top:5px;
|
||||
z-index: 2;
|
||||
height: 60px;
|
||||
width:160px;
|
||||
}
|
||||
|
||||
img#egroupwarelogo
|
||||
{
|
||||
position:absolute;
|
||||
left:5px;
|
||||
top:5px;
|
||||
z-index: 2;
|
||||
height: 114px;
|
||||
width: 190px;
|
||||
}
|
||||
#launchmenu
|
||||
{
|
||||
position: absolute;
|
||||
bottom: 34px;
|
||||
_bottom: 32px;
|
||||
margin: 0;
|
||||
left: 0;
|
||||
z-index: 111111;
|
||||
overflow: hidden;
|
||||
|
||||
}
|
@ -1,98 +0,0 @@
|
||||
div#taskbar {
|
||||
background-color: #CCC;
|
||||
border: 1px solid #000;
|
||||
color: #D4D4D4;
|
||||
height: 24px;
|
||||
position: absolute;
|
||||
top: 0;
|
||||
left: 0;
|
||||
width: 100%;
|
||||
z-index: 9999;
|
||||
}
|
||||
div#tb {
|
||||
border: 1px solid #000;
|
||||
width: 25px;
|
||||
height: 18px;
|
||||
position:absolute;
|
||||
float:left;
|
||||
background-color: #FFF;
|
||||
margin-top: 2px;
|
||||
margin-left: 115px;
|
||||
font-size: 14px;
|
||||
font-weight: 900;
|
||||
cursor: pointer;
|
||||
|
||||
}
|
||||
div#launch {
|
||||
border: 1px solid #000;
|
||||
width: 100px;
|
||||
height: 18px;
|
||||
float:left;
|
||||
background-color: #AAA;
|
||||
margin-top: 2px;
|
||||
margin-left: 4px;
|
||||
font-size: 14px;
|
||||
font-weight: 900;
|
||||
cursor: pointer;
|
||||
|
||||
}
|
||||
div#launch img {
|
||||
width: 16px;
|
||||
float: left;
|
||||
height: 16px;
|
||||
height:100%;
|
||||
border: none;
|
||||
margin-top: 2px;
|
||||
|
||||
}
|
||||
|
||||
img#bgimg {
|
||||
position: absolute;
|
||||
width: 100%;
|
||||
left: 0;
|
||||
top:0;
|
||||
}
|
||||
div#clock {
|
||||
float: right;
|
||||
margin-top: 2px;
|
||||
margin-right: 5px;
|
||||
width: auto;
|
||||
padding-left: 3px;
|
||||
padding-right: 3px;
|
||||
color: #000;
|
||||
background-color: #E5E5E5;
|
||||
font-size: 14px;
|
||||
height: 18px;
|
||||
font-weight: 900;
|
||||
border: 1px solid #000;
|
||||
cursor: pointer;
|
||||
}
|
||||
|
||||
img#xdesktoplogo
|
||||
{
|
||||
position:absolute;
|
||||
right:5px;
|
||||
top:50px;
|
||||
z-index:1;
|
||||
}
|
||||
|
||||
img#egroupwarelogo
|
||||
{
|
||||
position:absolute;
|
||||
left:5px;
|
||||
top:50px;
|
||||
z-index:1;
|
||||
|
||||
}
|
||||
#launchmenu
|
||||
{
|
||||
position: absolute;
|
||||
top: 25px;
|
||||
bottom: 0;
|
||||
margin: 0;
|
||||
left: 0;
|
||||
margin-top: 5px;
|
||||
z-index: 111111;
|
||||
overflow: auto;
|
||||
|
||||
}
|
@ -1,16 +0,0 @@
|
||||
Fri Apr 18 01:51:00 CEST 2003
|
||||
- resize icons to 32x32
|
||||
- renamed css file for better compatibility
|
||||
- removed unneccesary files in calender and email template directory
|
||||
- merged changed from Ralf Becker
|
||||
- remade the logo
|
||||
- changed gif to png where possible (create_tabs in class.common.inc.php only uses gifs!!!)
|
||||
- moved tree to 0.9.16 branch
|
||||
|
||||
Wed Apr 16 23:07:54 CEST 2003
|
||||
- Get app titles from new array without using the lang() call
|
||||
- Moved 'Homelink' from navbar to sidebox
|
||||
- Use preference setting 'icons', 'icons and text'
|
||||
- sidebox menu's can be hooked now (see template hook-files in phpgwapi/templates/idots/doc/hook_templates/
|
||||
- replaces correct gimpsource file for navbar icons: phpgwapi/templates/idots/source/navbar.xcf
|
||||
- additional information in the README
|
@ -1,96 +0,0 @@
|
||||
Application Hooks for Idots2
|
||||
|
||||
Introduction
|
||||
|
||||
Since Idots2 is a new template and it contains some new features, to make an application that will benefit as much as possible from these new features they can contain one or more of the next hooks.
|
||||
|
||||
|
||||
Toolbar hook
|
||||
|
||||
To enable faster control of application's we have created an hook for a toolbar in application windows. Application don't need to use the toolbar but it is probably usefull for most application.
|
||||
To enable the hook you should create a hook called "toolbar" in your application.
|
||||
Example of this implementation can be found in:
|
||||
Calendar
|
||||
|
||||
|
||||
Example
|
||||
|
||||
class.toolbar.inc.php
|
||||
class toolbar
|
||||
{
|
||||
function toolbar()
|
||||
{
|
||||
$toolbar = Array();
|
||||
$toolbar["name"] = Array(
|
||||
"title" => "title",
|
||||
"image" => "image",
|
||||
"url" => "url");
|
||||
return $toolbar;
|
||||
}
|
||||
}
|
||||
|
||||
Menu hooks
|
||||
|
||||
If there is a hook ?menu? is in your application then those will be the menu-items for the window menu, else the items of the sideboxmenu will be used as menu-items. So if you would like to change the categories of the menu or add/remove items it can be easy done for only the Idots2 template without loosing control in the other templates.
|
||||
Examples of this implementation can be found in:
|
||||
Calendar
|
||||
|
||||
|
||||
Example
|
||||
|
||||
class calendarmenu
|
||||
{
|
||||
|
||||
function calendarmenu()
|
||||
{
|
||||
$menu = Array();
|
||||
$menu['File']= Array(
|
||||
'New Entry' => "link",
|
||||
'New Entry' =>"link",
|
||||
'New Entry' =>"link"
|
||||
);
|
||||
|
||||
|
||||
|
||||
return $menu;
|
||||
}
|
||||
|
||||
}
|
||||
|
||||
Notify Hook
|
||||
|
||||
To hook into the notification's make a hook called ?notify?, it should be a function returning a string with the message or an empty string if there is nothing to notify. Make sure you use a good classname, i.e. [applicationname]notify, because classes can't be redeclared.
|
||||
Examples of this implementation can be found in:
|
||||
Messenger
|
||||
Calendar
|
||||
|
||||
Example
|
||||
|
||||
class messengernotify
|
||||
{
|
||||
|
||||
|
||||
function notify()
|
||||
{
|
||||
if(count($newmessages) > 0)
|
||||
{
|
||||
return ?You have ?.count($newmessages).? new messages.?;
|
||||
|
||||
}
|
||||
return False;
|
||||
|
||||
}
|
||||
}
|
||||
|
||||
|
||||
|
||||
|
||||
|
||||
|
||||
|
||||
|
||||
|
||||
|
||||
|
||||
|
||||
|
@ -1,281 +0,0 @@
|
||||
GNU GENERAL PUBLIC LICENSE
|
||||
Version 2, June 1991
|
||||
|
||||
Copyright (C) 1989, 1991 Free Software Foundation, Inc.
|
||||
675 Mass Ave, Cambridge, MA 02139, USA
|
||||
Everyone is permitted to copy and distribute verbatim copies
|
||||
of this license document, but changing it is not allowed.
|
||||
|
||||
Preamble
|
||||
|
||||
The licenses for most software are designed to take away your
|
||||
freedom to share and change it. By contrast, the GNU General Public
|
||||
License is intended to guarantee your freedom to share and change free
|
||||
software--to make sure the software is free for all its users. This
|
||||
General Public License applies to most of the Free Software
|
||||
Foundation's software and to any other program whose authors commit to
|
||||
using it. (Some other Free Software Foundation software is covered by
|
||||
the GNU Library General Public License instead.) You can apply it to
|
||||
your programs, too.
|
||||
|
||||
When we speak of free software, we are referring to freedom, not
|
||||
price. Our General Public Licenses are designed to make sure that you
|
||||
have the freedom to distribute copies of free software (and charge for
|
||||
this service if you wish), that you receive source code or can get it
|
||||
if you want it, that you can change the software or use pieces of it
|
||||
in new free programs; and that you know you can do these things.
|
||||
|
||||
To protect your rights, we need to make restrictions that forbid
|
||||
anyone to deny you these rights or to ask you to surrender the rights.
|
||||
These restrictions translate to certain responsibilities for you if you
|
||||
distribute copies of the software, or if you modify it.
|
||||
|
||||
For example, if you distribute copies of such a program, whether
|
||||
gratis or for a fee, you must give the recipients all the rights that
|
||||
you have. You must make sure that they, too, receive or can get the
|
||||
source code. And you must show them these terms so they know their
|
||||
rights.
|
||||
|
||||
We protect your rights with two steps: (1) copyright the software, and
|
||||
(2) offer you this license which gives you legal permission to copy,
|
||||
distribute and/or modify the software.
|
||||
|
||||
Also, for each author's protection and ours, we want to make certain
|
||||
that everyone understands that there is no warranty for this free
|
||||
software. If the software is modified by someone else and passed on, we
|
||||
want its recipients to know that what they have is not the original, so
|
||||
that any problems introduced by others will not reflect on the original
|
||||
authors' reputations.
|
||||
|
||||
Finally, any free program is threatened constantly by software
|
||||
patents. We wish to avoid the danger that redistributors of a free
|
||||
program will individually obtain patent licenses, in effect making the
|
||||
program proprietary. To prevent this, we have made it clear that any
|
||||
patent must be licensed for everyone's free use or not licensed at all.
|
||||
|
||||
The precise terms and conditions for copying, distribution and
|
||||
modification follow.
|
||||
|
||||
GNU GENERAL PUBLIC LICENSE
|
||||
TERMS AND CONDITIONS FOR COPYING, DISTRIBUTION AND MODIFICATION
|
||||
|
||||
0. This License applies to any program or other work which contains
|
||||
a notice placed by the copyright holder saying it may be distributed
|
||||
under the terms of this General Public License. The "Program", below,
|
||||
refers to any such program or work, and a "work based on the Program"
|
||||
means either the Program or any derivative work under copyright law:
|
||||
that is to say, a work containing the Program or a portion of it,
|
||||
either verbatim or with modifications and/or translated into another
|
||||
language. (Hereinafter, translation is included without limitation in
|
||||
the term "modification".) Each licensee is addressed as "you".
|
||||
|
||||
Activities other than copying, distribution and modification are not
|
||||
covered by this License; they are outside its scope. The act of
|
||||
running the Program is not restricted, and the output from the Program
|
||||
is covered only if its contents constitute a work based on the
|
||||
Program (independent of having been made by running the Program).
|
||||
Whether that is true depends on what the Program does.
|
||||
|
||||
1. You may copy and distribute verbatim copies of the Program's
|
||||
source code as you receive it, in any medium, provided that you
|
||||
conspicuously and appropriately publish on each copy an appropriate
|
||||
copyright notice and disclaimer of warranty; keep intact all the
|
||||
notices that refer to this License and to the absence of any warranty;
|
||||
and give any other recipients of the Program a copy of this License
|
||||
along with the Program.
|
||||
|
||||
You may charge a fee for the physical act of transferring a copy, and
|
||||
you may at your option offer warranty protection in exchange for a fee.
|
||||
|
||||
2. You may modify your copy or copies of the Program or any portion
|
||||
of it, thus forming a work based on the Program, and copy and
|
||||
distribute such modifications or work under the terms of Section 1
|
||||
above, provided that you also meet all of these conditions:
|
||||
|
||||
a) You must cause the modified files to carry prominent notices
|
||||
stating that you changed the files and the date of any change.
|
||||
|
||||
b) You must cause any work that you distribute or publish, that in
|
||||
whole or in part contains or is derived from the Program or any
|
||||
part thereof, to be licensed as a whole at no charge to all third
|
||||
parties under the terms of this License.
|
||||
|
||||
c) If the modified program normally reads commands interactively
|
||||
when run, you must cause it, when started running for such
|
||||
interactive use in the most ordinary way, to print or display an
|
||||
announcement including an appropriate copyright notice and a
|
||||
notice that there is no warranty (or else, saying that you provide
|
||||
a warranty) and that users may redistribute the program under
|
||||
these conditions, and telling the user how to view a copy of this
|
||||
License. (Exception: if the Program itself is interactive but
|
||||
does not normally print such an announcement, your work based on
|
||||
the Program is not required to print an announcement.)
|
||||
|
||||
These requirements apply to the modified work as a whole. If
|
||||
identifiable sections of that work are not derived from the Program,
|
||||
and can be reasonably considered independent and separate works in
|
||||
themselves, then this License, and its terms, do not apply to those
|
||||
sections when you distribute them as separate works. But when you
|
||||
distribute the same sections as part of a whole which is a work based
|
||||
on the Program, the distribution of the whole must be on the terms of
|
||||
this License, whose permissions for other licensees extend to the
|
||||
entire whole, and thus to each and every part regardless of who wrote it.
|
||||
|
||||
Thus, it is not the intent of this section to claim rights or contest
|
||||
your rights to work written entirely by you; rather, the intent is to
|
||||
exercise the right to control the distribution of derivative or
|
||||
collective works based on the Program.
|
||||
|
||||
In addition, mere aggregation of another work not based on the Program
|
||||
with the Program (or with a work based on the Program) on a volume of
|
||||
a storage or distribution medium does not bring the other work under
|
||||
the scope of this License.
|
||||
|
||||
3. You may copy and distribute the Program (or a work based on it,
|
||||
under Section 2) in object code or executable form under the terms of
|
||||
Sections 1 and 2 above provided that you also do one of the following:
|
||||
|
||||
a) Accompany it with the complete corresponding machine-readable
|
||||
source code, which must be distributed under the terms of Sections
|
||||
1 and 2 above on a medium customarily used for software interchange; or,
|
||||
|
||||
b) Accompany it with a written offer, valid for at least three
|
||||
years, to give any third party, for a charge no more than your
|
||||
cost of physically performing source distribution, a complete
|
||||
machine-readable copy of the corresponding source code, to be
|
||||
distributed under the terms of Sections 1 and 2 above on a medium
|
||||
customarily used for software interchange; or,
|
||||
|
||||
c) Accompany it with the information you received as to the offer
|
||||
to distribute corresponding source code. (This alternative is
|
||||
allowed only for noncommercial distribution and only if you
|
||||
received the program in object code or executable form with such
|
||||
an offer, in accord with Subsection b above.)
|
||||
|
||||
The source code for a work means the preferred form of the work for
|
||||
making modifications to it. For an executable work, complete source
|
||||
code means all the source code for all modules it contains, plus any
|
||||
associated interface definition files, plus the scripts used to
|
||||
control compilation and installation of the executable. However, as a
|
||||
special exception, the source code distributed need not include
|
||||
anything that is normally distributed (in either source or binary
|
||||
form) with the major components (compiler, kernel, and so on) of the
|
||||
operating system on which the executable runs, unless that component
|
||||
itself accompanies the executable.
|
||||
|
||||
If distribution of executable or object code is made by offering
|
||||
access to copy from a designated place, then offering equivalent
|
||||
access to copy the source code from the same place counts as
|
||||
distribution of the source code, even though third parties are not
|
||||
compelled to copy the source along with the object code.
|
||||
|
||||
4. You may not copy, modify, sublicense, or distribute the Program
|
||||
except as expressly provided under this License. Any attempt
|
||||
otherwise to copy, modify, sublicense or distribute the Program is
|
||||
void, and will automatically terminate your rights under this License.
|
||||
However, parties who have received copies, or rights, from you under
|
||||
this License will not have their licenses terminated so long as such
|
||||
parties remain in full compliance.
|
||||
|
||||
5. You are not required to accept this License, since you have not
|
||||
signed it. However, nothing else grants you permission to modify or
|
||||
distribute the Program or its derivative works. These actions are
|
||||
prohibited by law if you do not accept this License. Therefore, by
|
||||
modifying or distributing the Program (or any work based on the
|
||||
Program), you indicate your acceptance of this License to do so, and
|
||||
all its terms and conditions for copying, distributing or modifying
|
||||
the Program or works based on it.
|
||||
|
||||
6. Each time you redistribute the Program (or any work based on the
|
||||
Program), the recipient automatically receives a license from the
|
||||
original licensor to copy, distribute or modify the Program subject to
|
||||
these terms and conditions. You may not impose any further
|
||||
restrictions on the recipients' exercise of the rights granted herein.
|
||||
You are not responsible for enforcing compliance by third parties to
|
||||
this License.
|
||||
|
||||
7. If, as a consequence of a court judgment or allegation of patent
|
||||
infringement or for any other reason (not limited to patent issues),
|
||||
conditions are imposed on you (whether by court order, agreement or
|
||||
otherwise) that contradict the conditions of this License, they do not
|
||||
excuse you from the conditions of this License. If you cannot
|
||||
distribute so as to satisfy simultaneously your obligations under this
|
||||
License and any other pertinent obligations, then as a consequence you
|
||||
may not distribute the Program at all. For example, if a patent
|
||||
license would not permit royalty-free redistribution of the Program by
|
||||
all those who receive copies directly or indirectly through you, then
|
||||
the only way you could satisfy both it and this License would be to
|
||||
refrain entirely from distribution of the Program.
|
||||
|
||||
If any portion of this section is held invalid or unenforceable under
|
||||
any particular circumstance, the balance of the section is intended to
|
||||
apply and the section as a whole is intended to apply in other
|
||||
circumstances.
|
||||
|
||||
It is not the purpose of this section to induce you to infringe any
|
||||
patents or other property right claims or to contest validity of any
|
||||
such claims; this section has the sole purpose of protecting the
|
||||
integrity of the free software distribution system, which is
|
||||
implemented by public license practices. Many people have made
|
||||
generous contributions to the wide range of software distributed
|
||||
through that system in reliance on consistent application of that
|
||||
system; it is up to the author/donor to decide if he or she is willing
|
||||
to distribute software through any other system and a licensee cannot
|
||||
impose that choice.
|
||||
|
||||
This section is intended to make thoroughly clear what is believed to
|
||||
be a consequence of the rest of this License.
|
||||
|
||||
8. If the distribution and/or use of the Program is restricted in
|
||||
certain countries either by patents or by copyrighted interfaces, the
|
||||
original copyright holder who places the Program under this License
|
||||
may add an explicit geographical distribution limitation excluding
|
||||
those countries, so that distribution is permitted only in or among
|
||||
countries not thus excluded. In such case, this License incorporates
|
||||
the limitation as if written in the body of this License.
|
||||
|
||||
9. The Free Software Foundation may publish revised and/or new versions
|
||||
of the General Public License from time to time. Such new versions will
|
||||
be similar in spirit to the present version, but may differ in detail to
|
||||
address new problems or concerns.
|
||||
|
||||
Each version is given a distinguishing version number. If the Program
|
||||
specifies a version number of this License which applies to it and "any
|
||||
later version", you have the option of following the terms and conditions
|
||||
either of that version or of any later version published by the Free
|
||||
Software Foundation. If the Program does not specify a version number of
|
||||
this License, you may choose any version ever published by the Free Software
|
||||
Foundation.
|
||||
|
||||
10. If you wish to incorporate parts of the Program into other free
|
||||
programs whose distribution conditions are different, write to the author
|
||||
to ask for permission. For software which is copyrighted by the Free
|
||||
Software Foundation, write to the Free Software Foundation; we sometimes
|
||||
make exceptions for this. Our decision will be guided by the two goals
|
||||
of preserving the free status of all derivatives of our free software and
|
||||
of promoting the sharing and reuse of software generally.
|
||||
|
||||
NO WARRANTY
|
||||
|
||||
11. BECAUSE THE PROGRAM IS LICENSED FREE OF CHARGE, THERE IS NO WARRANTY
|
||||
FOR THE PROGRAM, TO THE EXTENT PERMITTED BY APPLICABLE LAW. EXCEPT WHEN
|
||||
OTHERWISE STATED IN WRITING THE COPYRIGHT HOLDERS AND/OR OTHER PARTIES
|
||||
PROVIDE THE PROGRAM "AS IS" WITHOUT WARRANTY OF ANY KIND, EITHER EXPRESSED
|
||||
OR IMPLIED, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF
|
||||
MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE. THE ENTIRE RISK AS
|
||||
TO THE QUALITY AND PERFORMANCE OF THE PROGRAM IS WITH YOU. SHOULD THE
|
||||
PROGRAM PROVE DEFECTIVE, YOU ASSUME THE COST OF ALL NECESSARY SERVICING,
|
||||
REPAIR OR CORRECTION.
|
||||
|
||||
12. IN NO EVENT UNLESS REQUIRED BY APPLICABLE LAW OR AGREED TO IN WRITING
|
||||
WILL ANY COPYRIGHT HOLDER, OR ANY OTHER PARTY WHO MAY MODIFY AND/OR
|
||||
REDISTRIBUTE THE PROGRAM AS PERMITTED ABOVE, BE LIABLE TO YOU FOR DAMAGES,
|
||||
INCLUDING ANY GENERAL, SPECIAL, INCIDENTAL OR CONSEQUENTIAL DAMAGES ARISING
|
||||
OUT OF THE USE OR INABILITY TO USE THE PROGRAM (INCLUDING BUT NOT LIMITED
|
||||
TO LOSS OF DATA OR DATA BEING RENDERED INACCURATE OR LOSSES SUSTAINED BY
|
||||
YOU OR THIRD PARTIES OR A FAILURE OF THE PROGRAM TO OPERATE WITH ANY OTHER
|
||||
PROGRAMS), EVEN IF SUCH HOLDER OR OTHER PARTY HAS BEEN ADVISED OF THE
|
||||
POSSIBILITY OF SUCH DAMAGES.
|
||||
|
||||
END OF TERMS AND CONDITIONS
|
||||
|
@ -1,44 +0,0 @@
|
||||
++++++++++++++++++++++++++++++++++++++++++++++++++++++++++
|
||||
|
||||
IDOTS2 TEMPLATE SET FOR eGroupWare
|
||||
http://www.idots2.org
|
||||
|
||||
++++++++++++++++++++++++++++++++++++++++++++++++++++++++++
|
||||
|
||||
Idots2 is based on the x-desktop project.
|
||||
(http://www.x-desktop.org)
|
||||
|
||||
The theme is based on the Retro skin for Windowsblind
|
||||
made by Tim Dagger (http://www.essorant.com).
|
||||
|
||||
+++++++++++++++++++++++++++++++++++++++++++++++++++++++++++
|
||||
|
||||
++ Hooks ++
|
||||
|
||||
Applications can hook into the following items:
|
||||
|
||||
- Toolbar
|
||||
- Menu
|
||||
|
||||
++ License ++
|
||||
|
||||
The Idots2 template set is published under the GPL license.
|
||||
See the License file.
|
||||
|
||||
|
||||
|
||||
++ Copyright ++
|
||||
|
||||
- Lingewoud B.V. http://www.lingewoud.nl
|
||||
- Edo van Bruggen edovanbruggen[at]raketnet.nl
|
||||
- Rob van Kraanen rvkraanen[at]gmail.com
|
||||
|
||||
|
||||
|
||||
++ Special thanks to ++
|
||||
|
||||
- Pim Snel/ Lingewoud B.V. for providing this oppurtunity
|
||||
and sponsoring.
|
||||
- Avans Hogeschool Den Bosch (Netherlands)
|
||||
- Tim Dagger for letting us use the skin.
|
||||
- Coffee ;)
|
@ -1 +0,0 @@
|
||||
A lot ;)
|
@ -1,3 +0,0 @@
|
||||
|
||||
</body>
|
||||
</html>
|
@ -1,105 +0,0 @@
|
||||
<?php
|
||||
/**************************************************************************\
|
||||
* phpGroupWare *
|
||||
* http://www.phpgroupware.org *
|
||||
* -------------------------------------------- *
|
||||
* This program is free software; you can redistribute it and/or modify it *
|
||||
* under the terms of the GNU General Public License as published by the *
|
||||
* Free Software Foundation; either version 2 of the License, or (at your *
|
||||
* option) any later version. *
|
||||
\**************************************************************************/
|
||||
|
||||
if($GLOBALS['phpgw_info']['user']['preferences']['common']['show_generation_time'])
|
||||
{
|
||||
$mtime = microtime();
|
||||
$mtime = explode(' ',$mtime);
|
||||
$mtime = $mtime[1] + $mtime[0];
|
||||
$GLOBALS['page_start_time'] = $mtime;
|
||||
}
|
||||
|
||||
|
||||
// get used language code
|
||||
|
||||
|
||||
$lang_code = $GLOBALS['phpgw_info']['user']['preferences']['common']['lang'];
|
||||
|
||||
/*
|
||||
** Getting the correct directories for finding the resources
|
||||
*/
|
||||
$template_dir = $GLOBALS['phpgw_info']['server']['webserver_url'] . "/phpgwapi/templates/" . $GLOBALS['phpgw_info']['server']['template_set'];
|
||||
|
||||
$js_url = $template_dir.'/js/';
|
||||
$css_url = $template_dir.'/css/';
|
||||
|
||||
|
||||
if($GLOBALS['phpgw_info']['flags']['currentapp']=='eGroupWare')
|
||||
{
|
||||
//Initializing x-desktop
|
||||
$bodyheader = ' id="xdesktop"';
|
||||
$theme_css = '<link rel="stylesheet" type="text/css" href="'.$css_url.'idots2_skin.css">';
|
||||
$theme_css .= '<link rel="stylesheet" type="text/css" href="'.$css_url.'taskbar_down.css">';
|
||||
|
||||
$cbe_core = '<script type=\'text/javascript\' src=\''.$js_url.'x-desktop/cbe_core.js\'></script>';
|
||||
$cbe_event = '<script type=\'text/javascript\' src=\''.$js_url.'x-desktop/cbe_event.js\'></script>';
|
||||
$cbe_slide = '<script type=\'text/javascript\' src=\''.$js_url.'x-desktop/cbe_slide.js\'></script>';
|
||||
$skin_idots2 = '<script type=\'text/javascript\' src=\''.$js_url.'x-desktop/x-desktop_skin_IDOTS2.js\'></script>';
|
||||
$x_core = '<script type=\'text/javascript\' src=\''.$js_url.'x-desktop/x-desktop_core.js\'></script>';
|
||||
$x_events = '<script type =\'text/javascript\' src=\''.$js_url.'x-desktop/events.js\'></script>';
|
||||
$x_shortcuts = '<script type =\'text/javascript\' src=\''.$js_url.'x-desktop/shortcuts.js\'></script>';
|
||||
$xdesktop .= $theme_css . $cbe_core . $cbe_event . $cbe_slide . $skin_idots2 . $x_core . $x_events . $x_shortcuts;
|
||||
|
||||
|
||||
}
|
||||
else
|
||||
{
|
||||
//Just a normal page
|
||||
$bodyheader = ' id="xpage"';
|
||||
$menu_js = '<script type=\'text/javascript\' src=\''.$js_url.'menu.js\'></script>';
|
||||
$theme_css = '<link rel="stylesheet" type="text/css" href="'.$css_url.'idots2_page.css">';
|
||||
|
||||
$xdesktop = $theme_css . $menu_js;
|
||||
}
|
||||
|
||||
|
||||
/*
|
||||
** Create/use the template
|
||||
*/
|
||||
$tpl = CreateObject('phpgwapi.Template',PHPGW_TEMPLATE_DIR);
|
||||
$tpl->set_unknowns('remove');
|
||||
$tpl->set_file(array('_head' => 'head.tpl'));
|
||||
$tpl->set_block('_head','head');
|
||||
|
||||
if ($GLOBALS['phpgw_info']['flags']['app_header'])
|
||||
{
|
||||
$app = $GLOBALS['phpgw_info']['flags']['app_header'];
|
||||
}
|
||||
else
|
||||
{
|
||||
$app = $GLOBALS['phpgw_info']['flags']['currentapp'];
|
||||
$app = isset($GLOBALS['phpgw_info']['apps'][$app]) ? $GLOBALS['phpgw_info']['apps'][$app]['title'] : lang($app);
|
||||
}
|
||||
if($GLOBALS['phpgw_info']['flags']['currentapp']=='eGroupWare')
|
||||
{
|
||||
$app = "";
|
||||
|
||||
}
|
||||
|
||||
$var = Array(
|
||||
'img_icon' => PHPGW_IMAGES_DIR . '/favicon.ico',
|
||||
'img_shortcut' => PHPGW_IMAGES_DIR . '/favicon.ico',
|
||||
'slider_effects'=> $slider_effects,
|
||||
'simple_show_hide'=> $simple_show_hide,
|
||||
'lang_code' => $lang_code,
|
||||
'charset' => $GLOBALS['phpgw']->translation->charset(),
|
||||
'font_family' => $GLOBALS['phpgw_info']['theme']['font'],
|
||||
'website_title' => $GLOBALS['phpgw_info']['server']['site_title']. ($app ? " [$app]" : ''),
|
||||
'body_tags' => $bodyheader .' '. $GLOBALS['phpgw']->common->get_body_attribs(),
|
||||
'xdesktop' => $xdesktop,
|
||||
'css' => $GLOBALS['phpgw']->common->get_css(),
|
||||
'bckGrnd' => $bckGrnd,
|
||||
'java_script' => $GLOBALS['phpgw']->common->get_java_script(),
|
||||
);
|
||||
$tpl->set_var($var);
|
||||
$tpl->pfp('out','head');
|
||||
unset($tpl);
|
||||
?>
|
@ -1,32 +0,0 @@
|
||||
<!-- BEGIN head --><!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
|
||||
<html xml:lang="{lang_code}" xmlns="http://www.w3.org/1999/xhtml">
|
||||
|
||||
<head>
|
||||
<title>{website_title}</title>
|
||||
<meta http-equiv="content-type" content="text/html; charset={charset}" />
|
||||
<meta name="keywords" content="eGroupWare" />
|
||||
<meta name="description" content="eGroupware" />
|
||||
<meta name="keywords" content="eGroupWare" />
|
||||
<meta name="copyright" content="eGroupWare http://www.egroupware.org (c) 2003" />
|
||||
<meta name="language" content="{lang_code}" />
|
||||
<meta name="author" content="eGroupWare http://www.egroupware.org" />
|
||||
<meta name="robots" content="none" />
|
||||
<link rel="icon" href="{img_icon}" type="image/x-ico" />
|
||||
<link rel="shortcut icon" href="{img_shortcut}" />
|
||||
{slider_effects}
|
||||
{simple_show_hide}
|
||||
{css}
|
||||
{pngfix}
|
||||
{xdesktop}
|
||||
{java_script}
|
||||
|
||||
<!-- this solves the internet explorer png-transparency bug, but only for ie 5.5 and higher -->
|
||||
<!--[if gte ie 5.5000]>
|
||||
<script src="./phpgwapi/templates/idots2/js/pngfix.js" type=text/javascript>
|
||||
</script>
|
||||
<![endif]-->
|
||||
|
||||
</head>
|
||||
<!-- we don't need body tags anymore, do we?) we do!!! onload!! LK -->
|
||||
<body {body_tags}>
|
||||
<!-- END head -->
|
@ -1,167 +0,0 @@
|
||||
<?php
|
||||
/**************************************************************************\
|
||||
* eGroupWare - Preferences *
|
||||
* http://www.eGroupWare.org *
|
||||
* -------------------------------------------- *
|
||||
* This file written by Edo van Bruggen <edovanbruggen@raketnet.nl> *
|
||||
* This program is free software; you can redistribute it and/or modify it *
|
||||
* under the terms of the GNU General Public License as published by the *
|
||||
* Free Software Foundation; either version 2 of the License, or (at your *
|
||||
* option) any later version. *
|
||||
\**************************************************************************/
|
||||
|
||||
/* $Id$ */
|
||||
|
||||
$clock_show = array(
|
||||
'yes' => lang('yes'),
|
||||
'no' => lang('no')
|
||||
);
|
||||
|
||||
$clock_min = array(
|
||||
'minute' => lang('minute'),
|
||||
'second' => lang('second')
|
||||
);
|
||||
|
||||
$files = Array();
|
||||
$dir = 'phpgwapi/templates/idots2/images/backgrounds';
|
||||
|
||||
$dh = opendir($dir);
|
||||
$files['none'] = "none";
|
||||
while(false !== ($filename = readdir($dh)))
|
||||
{
|
||||
if(strlen($filename) > 3)
|
||||
{
|
||||
$files[$filename] = $filename;
|
||||
}
|
||||
}
|
||||
closedir($dh);
|
||||
|
||||
$bckStyle = array(
|
||||
'centered' => lang('centered'),
|
||||
'tiled' => lang('tiled'),
|
||||
'stretched' => lang('stretched')
|
||||
);
|
||||
|
||||
$showLogo = array(
|
||||
'yes' => lang('yes'),
|
||||
'no' => lang('no')
|
||||
);
|
||||
|
||||
$back_icons = array(
|
||||
'yes' => lang('yes'),
|
||||
'no' => lang('no')
|
||||
);
|
||||
|
||||
|
||||
$GLOBALS['settings'] = array(
|
||||
'prefssection' => array(
|
||||
'type' => 'section',
|
||||
'title' => 'Preferences for the idots2 template set template set',
|
||||
'xmlrpc' => False,
|
||||
'admin' => False
|
||||
),
|
||||
'clock_show' => array(
|
||||
'type' => 'select',
|
||||
'label' => 'Show clock?',
|
||||
'name' => 'clock_show',
|
||||
'values' => $clock_show,
|
||||
'help' => '',
|
||||
'xmlrpc' => False,
|
||||
'admin' => False
|
||||
),
|
||||
'clock_min' => array(
|
||||
'type' => 'select',
|
||||
'label' => 'Update the clock per minute or per second',
|
||||
'name' => 'clock_min',
|
||||
'help' => 'If the clock is enabled would you like it to update it every second or every minute?',
|
||||
'values' => $clock_min,
|
||||
'xmlrpc' => False,
|
||||
'admin' => False
|
||||
),
|
||||
'files' => array(
|
||||
'type' => 'select',
|
||||
'label' => 'Choose a background image.',
|
||||
'name' => 'files',
|
||||
'help' => 'If there are some images in the background folder you can choose the one you would like to see.',
|
||||
'values' => $files,
|
||||
'xmlrpc' => False,
|
||||
'admin' => False
|
||||
),
|
||||
'blkStyle' => array(
|
||||
'type' => 'select',
|
||||
'label' => 'Choose a background style.',
|
||||
'name' => 'blkStyle',
|
||||
'values' => $bckStyle,
|
||||
'help' => 'What style would you like the image to have?',
|
||||
'xmlrpc' => False,
|
||||
'admin' => False
|
||||
),
|
||||
'bgcolor' => array(
|
||||
'type' => 'input',
|
||||
'label' => 'Choose a background color',
|
||||
'name' => 'bgcolor',
|
||||
'help' => 'What color should all the blank space on the desktop have',
|
||||
'default' => '#ffffff',
|
||||
'size'=>'7',
|
||||
'xmlrpc' => False,
|
||||
'admin' => False
|
||||
),
|
||||
'showLogo' => array(
|
||||
'type' => 'select',
|
||||
'label' => 'Show logo\'s on the desktop.',
|
||||
'name' => 'showLogo',
|
||||
'help' => 'Show the logo\'s of eGroupware and x-desktop on the desktop.',
|
||||
'values' => $showLogo,
|
||||
'xmlrpc' => False,
|
||||
'admin' => False
|
||||
),
|
||||
'show_generation_time' => array(
|
||||
'type' => 'check',
|
||||
'label' => 'Show page generation time',
|
||||
'name' => 'show_generation_time',
|
||||
'help' => 'Show page generation time on the bottom of the page?',
|
||||
'xmlrpc' => False,
|
||||
'admin' => False
|
||||
),
|
||||
'bgcolor_icons' => array(
|
||||
'type' => 'input',
|
||||
'label' => 'Choose a background color for the icons',
|
||||
'name' => 'bgcolor_icons',
|
||||
'default'=> '#ffffff',
|
||||
'size'=>'15',
|
||||
),
|
||||
'back_icons' => array(
|
||||
'type' => 'select',
|
||||
'label'=> 'Transparant bg for the icons?',
|
||||
'name'=> 'back_icons',
|
||||
'values'=> $back_icons,
|
||||
),
|
||||
'textcolor_icons' => array(
|
||||
'type' => 'input',
|
||||
'label'=>'Choose a text color for the icons',
|
||||
'name'=>'textcolor_icons',
|
||||
'default'=>'#FFFFFF',
|
||||
'size'=>'15'
|
||||
),
|
||||
'show_generation_time' => array(
|
||||
'type' => 'check',
|
||||
'label'=>'Show page generation time?',
|
||||
'name'=>'show_generation_time',
|
||||
'help'=>'Would you like to display the page generation time at the bottom of every window?'
|
||||
),
|
||||
'scrWidth' => array(
|
||||
'type' => 'input',
|
||||
'label'=>'Default width for the windows',
|
||||
'name'=>'scrWidth',
|
||||
'help'=>'Select the default width for the application windows',
|
||||
),
|
||||
'scrHeight' => array(
|
||||
'type' => 'input',
|
||||
'label'=>'Default height for the windows',
|
||||
'name'=>'scrHeight',
|
||||
'help'=>'Select the default height for the application windows',
|
||||
)
|
||||
|
||||
);
|
||||
|
||||
|
Before Width: | Height: | Size: 190 B |
Before Width: | Height: | Size: 238 B |
Before Width: | Height: | Size: 251 B |
Before Width: | Height: | Size: 233 B |
Before Width: | Height: | Size: 72 KiB |
Before Width: | Height: | Size: 295 KiB |
Before Width: | Height: | Size: 1.3 MiB |
Before Width: | Height: | Size: 705 KiB |
Before Width: | Height: | Size: 4.6 KiB |
Before Width: | Height: | Size: 193 KiB |
Before Width: | Height: | Size: 187 KiB |
Before Width: | Height: | Size: 224 KiB |
Before Width: | Height: | Size: 180 KiB |
Before Width: | Height: | Size: 240 B |
Before Width: | Height: | Size: 866 B |
Before Width: | Height: | Size: 396 B |
Before Width: | Height: | Size: 287 B |
Before Width: | Height: | Size: 284 B |
Before Width: | Height: | Size: 187 B |
Before Width: | Height: | Size: 388 B |
Before Width: | Height: | Size: 963 B |
Before Width: | Height: | Size: 484 B |
Before Width: | Height: | Size: 1.0 KiB |
Before Width: | Height: | Size: 1.1 KiB |
Before Width: | Height: | Size: 595 B |