view --> few patch, thanks to Adi Kriegisch

This commit is contained in:
Ralf Becker 2006-06-08 19:53:04 +00:00
parent dfb539f9ab
commit a2dfa0a88c
14 changed files with 5552 additions and 8 deletions

239
setup/db_backup.php Normal file
View File

@ -0,0 +1,239 @@
<?php
/**************************************************************************\
* eGroupWare - Setup - DB backup and restore *
* http://www.egroupware.org *
* Written by RalfBecker@outdoor-training.de *
* -------------------------------------------- *
* 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$ */
if (!is_object(@$GLOBALS['egw'])) // called from outside eGW ==> setup
{
$GLOBALS['egw_info'] = array(
'flags' => array(
'noheader' => True,
'nonavbar' => True,
'currentapp' => 'home',
'noapi' => True
));
include ('./inc/functions.inc.php');
@set_time_limit(0);
// Check header and authentication
if (!$GLOBALS['egw_setup']->auth('Config'))
{
Header('Location: index.php');
exit;
}
// Does not return unless user is authorized
$GLOBALS['egw_setup']->loaddb();
$tpl_root = $GLOBALS['egw_setup']->html->setup_tpl_dir('setup');
$self = 'db_backup.php';
}
$db_backup = CreateObject('phpgwapi.db_backup');
$asyncservice = CreateObject('phpgwapi.asyncservice');
// download a backup, has to be before any output !!!
if ($_POST['download'])
{
list($file) = each($_POST['download']);
$file = $db_backup->backup_dir.'/'.basename($file); // basename to now allow to change the dir
$browser = CreateObject('phpgwapi.browser');
$browser->content_header(basename($file));
fpassthru($f = fopen($file,'rb'));
fclose($f);
exit;
}
$setup_tpl = CreateObject('phpgwapi.Template',$tpl_root);
$setup_tpl->set_file(array(
'T_head' => 'head.tpl',
'T_footer' => 'footer.tpl',
'T_db_backup' => 'db_backup.tpl',
));
$setup_tpl->set_block('T_db_backup','schedule_row','schedule_rows');
$setup_tpl->set_block('T_db_backup','set_row','set_rows');
$setup_tpl->set_var('stage_title',$stage_title = lang('DB backup and restore'));
$setup_tpl->set_var('stage_desc',lang('This program lets you backup your database, schedule a backup or restore it.'));
$setup_tpl->set_var('error_msg','');
$bgcolor = array('#DDDDDD','#EEEEEE');
if (is_object($GLOBALS['egw_setup']->html))
{
$GLOBALS['egw_setup']->html->show_header($stage_title,False,'config',$GLOBALS['egw_setup']->ConfigDomain . '(' . $GLOBALS['egw_domain'][$GLOBALS['egw_setup']->ConfigDomain]['db_type'] . ')');
}
else
{
$setup_tpl->set_block('T_db_backup','setup_header');
$setup_tpl->set_var('setup_header','');
$GLOBALS['egw_info']['flags']['app_header'] = $stage_title;
$GLOBALS['egw']->common->phpgw_header();
parse_navbar();
}
// create a backup now
if($_POST['backup'])
{
if (is_resource($f = $db_backup->fopen_backup()))
{
echo '<p align="center">'.lang('backup started, this might take a few minutes ...')."</p>\n".str_repeat(' ',4096);
$db_backup->backup($f);
fclose($f);
$setup_tpl->set_var('error_msg',lang('backup finished'));
}
else
{
$setup_tpl->set_var('error_msg',$f);
}
}
$setup_tpl->set_var('backup_now_button','<input type="submit" name="backup" title="'.htmlspecialchars(lang("back's up your DB now, this might take a few minutes")).'" value="'.htmlspecialchars(lang('backup now')).'" />');
$setup_tpl->set_var('upload','<input type="file" name="uploaded" /> &nbsp;'.
'<input type="submit" name="upload" value="'.htmlspecialchars(lang('upload backup')).'" title="'.htmlspecialchars(lang("uploads a backup to the backup-dir, from where you can restore it")).'" />');
if ($_POST['upload'] && is_array($_FILES['uploaded']) && !$_FILES['uploaded']['error'] &&
is_uploaded_file($_FILES['uploaded']['tmp_name']))
{
move_uploaded_file($_FILES['uploaded']['tmp_name'],$db_backup->backup_dir.'/'.$_FILES['uploaded']['name']);
if (function_exists('md5_file')) // php4.2+
{
$md5 = ', md5='.md5_file($db_backup->backup_dir.'/'.$_FILES['uploaded']['name']);
}
$setup_tpl->set_var('error_msg',lang("succesfully uploaded file %1",$_FILES['uploaded']['name'].', '.
sprintf('%3.1lf MB (%d)',$_FILES['uploaded']['size']/(1024*1024),$_FILES['uploaded']['size']).$md5));
}
// delete a backup
if ($_POST['delete'])
{
list($file) = each($_POST['delete']);
$file = $db_backup->backup_dir.'/'.basename($file); // basename to not allow to change the dir
if (unlink($file)) $setup_tpl->set_var('error_msg',lang("backup '%1' deleted",$file));
}
// rename a backup
if ($_POST['rename'])
{
list($file) = each($_POST['rename']);
$new_name = $_POST['new_name'][$file];
if (!empty($new_name))
{
$file = $db_backup->backup_dir.'/'.basename($file); // basename to not allow to change the dir
$ext = preg_match('/(\.gz|\.bz2)+$/i',$file,$matches) ? $matches[1] : '';
$new_file = $db_backup->backup_dir.'/'.preg_replace('/(\.gz|\.bz2)+$/i','',basename($new_name)).$ext;
if (rename($file,$new_file)) $setup_tpl->set_var('error_msg',lang("backup '%1' renamed to '%2'",basename($file),basename($new_file)));
}
}
// restore a backup
if ($_POST['restore'])
{
list($file) = each($_POST['restore']);
$file = $db_backup->backup_dir.'/'.basename($file); // basename to not allow to change the dir
if (is_resource($f = $db_backup->fopen_backup($file,true)))
{
echo '<p align="center">'.lang('restore started, this might take a few minutes ...')."</p>\n".str_repeat(' ',4096);
$db_backup->restore($f);
fclose($f);
$setup_tpl->set_var('error_msg',lang("backup '%1' restored",$file));
}
else
{
$setup_tpl->set_var('error_msg',$f);
}
}
// create a new scheduled backup
if ($_POST['schedule'])
{
$asyncservice->set_timer($_POST['times'],'db_backup-'.implode(':',$_POST['times']),'admin.admin_db_backup.do_backup','');
}
// cancel a scheduled backup
if (is_array($_POST['cancel']))
{
list($id) = each($_POST['cancel']);
$asyncservice->cancel_timer($id);
}
// list scheduled backups
if (($jobs = $asyncservice->read('db_backup-%')))
{
foreach($jobs as $job)
{
$setup_tpl->set_var($job['times']);
$setup_tpl->set_var('next_run',date('Y-m-d H:i',$job['next']));
$setup_tpl->set_var('actions','<input type="submit" name="cancel['.$job['id'].']" value="'.htmlspecialchars(lang('delete')).'" />');
$setup_tpl->parse('schedule_rows','schedule_row',true);
}
}
// input-fields to create a new scheduled backup
foreach($times=array('year'=>'*','month'=>'*','day'=>'*','dow'=>'2-6','hour'=>3,'minute'=>0) as $name => $default)
{
$setup_tpl->set_var($name,'<input name="times['.$name.']" size="5" value="'.$default.'" />');
}
$setup_tpl->set_var('next_run','&nbsp;');
$setup_tpl->set_var('actions','<input type="submit" name="schedule" value="'.htmlspecialchars(lang('schedule')).'" />');
$setup_tpl->parse('schedule_rows','schedule_row',true);
// listing the availible backup sets
$setup_tpl->set_var('backup_dir',$db_backup->backup_dir);
$setup_tpl->set_var('set_rows','');
$handle = @opendir($db_backup->backup_dir);
$files = array();
while($handle && ($file = readdir($handle)))
{
if ($file != '.' && $file != '..')
{
$files[filectime($db_backup->backup_dir.'/'.$file)] = $file;
}
}
if ($handle) closedir($handle);
krsort($files);
foreach($files as $ctime => $file)
{
$size = filesize($db_backup->backup_dir.'/'.$file);
$setup_tpl->set_var(array(
'filename' => $file,
'date' => date('Y-m-d H:i',$ctime),
'size' => sprintf('%3.1lf MB (%d)',$size/(1024*1024),$size),
'actions' => '<input type="submit" name="download['.$file.']" value="'.htmlspecialchars(lang('download')).'" />&nbsp;'."\n".
'<input type="submit" name="delete['.$file.']" value="'.htmlspecialchars(lang('delete')).'" onclick="return confirm(\''.
htmlspecialchars(lang('Confirm to delete this backup?')).'\');" />&nbsp;'."\n".
'<input name="new_name['.$file.']" value="" size="15" /><input type="submit" name="rename['.$file.']" value="'.htmlspecialchars(lang('rename')).'" />&nbsp;'."\n".
'<input type="submit" name="restore['.$file.']" value="'.htmlspecialchars(lang('restore')).'" onclick="return confirm(\''.
htmlspecialchars(lang('Restoring a backup will delete/replace all content in your database. Are you sure?')).'\');" />',
));
$setup_tpl->parse('set_rows','set_row',true);
}
$setup_tpl->set_var(array(
'lang_scheduled_backups'=> lang('scheduled backups'),
'lang_year' => lang('year'),
'lang_month' => lang('month'),
'lang_day' => lang('day'),
'lang_dow' => lang('day of week<br />(0-6, 0=sunday)'),
'lang_hour' => lang('hour (0-24)'),
'lang_minute' => lang('minute'),
'lang_next_run' => lang('next run'),
'lang_actions' => lang('actions'),
'lang_backup_sets' => lang('backup sets'),
'lang_filename' => lang('filename'),
'lang_date' => lang('created'),
'lang_size' => lang('size'),
));
$setup_tpl->set_var('self',$self);
$setup_tpl->pparse('out','T_db_backup');
if (is_object($GLOBALS['egw_setup']->html))
{
$GLOBALS['egw_setup']->html->show_footer();
}
?>

View File

@ -319,7 +319,7 @@
}
if (is_resource($f = $db_backup->fopen_backup($_FILES['uploaded']['tmp_name'],true)))
{
echo '<p align="center">'.lang('restore started, this might take a view minutes ...')."</p>\n".str_repeat(' ',4096);
echo '<p align="center">'.lang('restore started, this might take a few minutes ...')."</p>\n".str_repeat(' ',4096);
$db_backup->restore($f,$_POST['convert_charset']);
fclose($f);
echo '<p align="center">'.lang('restore finished')."</p>\n";
@ -353,7 +353,7 @@
$db_backup =& CreateObject('phpgwapi.db_backup');
if (is_resource($f = $db_backup->fopen_backup()))
{
echo '<p align="center">'.lang('backup started, this might take a view minutes ...')."</p>\n".str_repeat(' ',4096);
echo '<p align="center">'.lang('backup started, this might take a few minutes ...')."</p>\n".str_repeat(' ',4096);
$db_backup->backup($f);
fclose($f);
echo '<p align="center">'.lang('backup finished')."</p>\n";

551
setup/lang/phpgw_ca.lang Normal file
View File

@ -0,0 +1,551 @@
%1 does not exist !!! setup ca %1 no existeix !!!
%1 is %2%3 !!! setup ca %1 és %2%3 !!!
(searching accounts and changing passwords) setup ca (cercant comptes i canviant contrasenyes)
*** do not update your database via setup, as the update might be interrupted by the max_execution_time, which leaves your db in an unrecoverable state (your data is lost) !!! setup ca *** NO actualitzeu la vostra base de dades a través d'aquesta Instal·lació, perquè l'actualització pot ser interrompuda pel max_execution_time deixant la vostra base de dades en un estat irrecuperable (les vostres dades es perdran) !!!
*** you have to do the changes manualy in your php.ini (usualy in /etc on linux) in order to get egw fully working !!! setup ca *** Heu de fer els canvis manualment al vostre php.ini (normalment dins /etc a linux) a fi de fer que l'eGW sigui totalment funcional !!!
00 (disable) setup ca 00 (desactivar / recomanat)
13 (ntp) setup ca 13 (ntp)
80 (http) setup ca 80 (http)
<b>charset to use</b> (use utf-8 if you plan to use languages with different charsets): setup ca <b>conjunt de caràcters a utilitzar</b> (utilitzeu utf-8 si heu fer servir llenguatges amb diferents conjunts de caràcters
<b>this will create 1 admin account and 3 demo accounts</b><br />the username/passwords are: demo/guest, demo2/guest and demo3/guest. setup ca <b>Això crearà 1 compte admin i 3 comptes demo</b><br />Els nom d'usuari/contrasenya són: demo/guest, demo2/guest i demo3/guest.
accounts existing setup ca Comptes existents
actions setup ca Accions
add auto-created users to this group ('default' will be attempted if this is empty.) setup ca Afegir usuaris creats automàticament a aquest grup (Si es buit, serà assignat al grup 'Default')
add new database instance (egw domain) setup ca Afegeix una nova instància a la base de dades (domini eGW)
additional settings setup ca Configuració addicional
admin first name setup ca Nom de l'Administrador
admin last name setup ca Cognoms de l'Administrador
admin password setup ca Contrasenya de l'Administrador
admin password to header manager setup ca Contrasenya de l'Administrador per admnistrar els encapçalaments
admin user for header manager setup ca Nom d'usuari per administrar els encapçalaments
admin username setup ca Nom d'usuari de l'Administrador
admins setup ca Admnistradors
after backing up your tables first. setup ca Després d'haver fet la còpia de seguretat de les taules.
after retrieving the file, put it into place as the header.inc.php. then, click "continue". setup ca Després de recuperar l'arxiu, poseu-lo al seu lloc com a header.inc.php. Després, premeu "continuar".
all applications setup ca Totes les aplicacions
all core tables and the admin and preferences applications setup ca Totes les taules principals i les aplicacions de preferències i administració
all languages (incl. not listed ones) setup ca tots els idiomes (inclosos els que no surten a la llista)
all users setup ca Tots els usuaris
allow authentication via cookie setup ca Permet autentificació amb galetes
allow password migration setup ca Permet migració de contrasenya
allowed migration types (comma-separated) setup ca Tipus de migracions permeses (separades per comes)
analysis setup ca Anàlisi
and reload your webserver, so the above changes take effect !!! setup ca I recarrega el servidor web a fi de que els canvis tenguin efecte !!!
app details setup ca Detalls de l'Aplicació
app install/remove/upgrade setup ca Instal·lació / Esborrat / Actualització de l'Aplicació
app process setup ca Procés de l'aplicació
application data setup ca Dades de l'Aplicació
application list setup ca Llista d'aplicacions
application management setup ca Administració d'Aplicacions
application name and status setup ca Nom de l'Aplicació i estat
application name and status information setup ca Nom de l'aplicació i Informació d'estat
application title setup ca Títol de l'Aplicació
application: %1, file: %2, line: "%3" setup ca Aplicació: %1, Fitxer: %2, Línia: "%3"
are you sure you want to delete your existing tables and data? setup ca Esteu segur de voler esborrar les taules i dades existents?
are you sure? setup ca ESTEU SEGUR?
at your request, this script is going to attempt to create the database and assign the db user rights to it setup ca Per indicació vostra, aquest script intentarà crear la base de dades i assignar permisos a l'usuari de la base de dades sobre ella
at your request, this script is going to attempt to install a previous backup setup ca Seguint la vostra petició, aquesta seqüència intentarà instal·lar una còpia de seguretat anterior
at your request, this script is going to attempt to install the core tables and the admin and preferences applications for you setup ca Per indicació vostra, aquest script intentarà instal·lar les taules principals i les aplicacions de preferències i administració.
at your request, this script is going to attempt to upgrade your old applications to the current versions setup ca Per indicació vostra, aquest script intentarà actualitzar les vostres antigues apliacions a les versions actuals
at your request, this script is going to attempt to upgrade your old tables to the new format setup ca Per indicació vostra, aquest script intentarà actualitzar les vostres antigues taules al nou format
at your request, this script is going to take the evil action of deleting your existing tables and re-creating them in the new format setup ca Per indicació vostra, aquest script farà la "diabòlica" acció d'esborrar les vostres taules actuals i tornar-les a crear amb el nou format
at your request, this script is going to take the evil action of uninstalling all your apps, which deletes your existing tables and data setup ca Per indicació vostra, aquest script farà la "diabòlica" acció de desinstal·lar totes les aplicacions, el que esborrarà totes les taules i dades actuals
attempt to use correct mimetype for ftp instead of default 'application/octet-stream' setup ca Intenteu fer servir el tipus MIME correcte per a FTP en lloc del predeterminat 'application/octet-stream'
authentication / accounts setup ca Identificació / Comptes
auto create account records for authenticated users setup ca Crear automàticament registres per als usuaris identificats
auto-created user accounts expire setup ca Els comptes creats automàticament per als usuaris caduquen
available version setup ca Versió disponible
back to the previous screen setup ca Tornar a la pantalla anterior
back to user login setup ca Tornar a l'inici de sessió d'usuari
back's up your db now, this might take a few minutes setup ca s'està fent la còpia de seguretat de la vostra base de dades. Això trigarà uns minuts
backup '%1' deleted setup ca còpia de seguretat '%1' esborrada
backup '%1' renamed to '%2' setup ca còpia de seguretat '%1' renomenada com a '%2'
backup '%1' restored setup ca còpia de seguretat '%1' restaurada
backup and restore setup ca còpia de seguretat i restauració
backup failed setup ca Ha fallat la còpia de seguretat
backup finished setup ca còpia de seguretat finalitzada
backup now setup ca fent la còpia de seguretat ara
backup sets setup ca configuració de la còpia de seguretat
backup started, this might take a few minutes ... setup ca còpia de seguretat iniciada, això pot trigar uns minuts...
because an application it depends upon was upgraded setup ca perquè una aplicació de la que en depèn s'ha actualitzat
because it depends upon setup ca perquè depèn de
because it is not a user application, or access is controlled via acl setup ca perqué no és una aplicació d'usuari, o bé l'accés està controlat per ACL
because it requires manual table installation, <br />or the table definition was incorrect setup ca perquè requereix instal·lació manual de les taules, <br />o la definició de les taules era incorrecta
because it was manually disabled setup ca perquè es desactivà manualment
because of a failed upgrade or install setup ca perquè es va produir una errada en actualitzar o instal.lar
because of a failed upgrade, or the database is newer than the installed version of this app setup ca perqué va fallar la actualització, o la base de dades és més nova que la versió instal.lada d'aquesta aplicació
because the enable flag for this app is set to 0, or is undefined setup ca perqué la senyal d' "activada" d'aquesta aplicació està a 0, o no està definida
bottom setup ca peu
but we <u>highly recommend backing up</u> your tables in case the script causes damage to your data.<br /><strong>these automated scripts can easily destroy your data.</strong> setup ca però <u>recomenam fermament que faceu una còpia de seguretat</u> de les vostres taules pel cas en que la seqüencia pugui fer mal a les vostres dades.<br /><strong>Aquestes seqüències automàtiques poden destruir fàcilment les vostres dades.</strong>
cancel setup ca Cancel·lar
cannot create the header.inc.php due to file permission restrictions.<br /> instead you can %1 the file. setup ca No es pot crear el header.inc.php per mor de restriccions de permisos.<br /> En lloc d'això, pots %1 el fitxer.
change system-charset setup ca Canviar el joc de caràcters del sistema
charset setup ca ISO-8859-1
charset to convert to setup ca Joc de caràcters al que convertir
check can only be performed, if called via a webserver, as the user-id/-name of the webserver is not known. setup ca La comprovació només es pot dur a terme si es realitza a través d'un servidor web, degut a que l'identificador o el nom de l'usuari del servidor web no es coneix.
check installation setup ca Comprovar instal·lació
check ip address of all sessions setup ca Comprovar les adreces ip de totes les sessions
checking extension %1 is loaded or loadable setup ca Comprovant si l'extensió %1 està carregada o es pot carregar
checking file-permissions of %1 for %2 %3: %4 setup ca Comprovant permisos de fitxer de %1 per %2 %3: %4
checking for gd support... setup ca Comprovant suport GD...
checking pear%1 is installed setup ca Comprovant si s'ha instral·lat PEAR%1
checking php.ini setup ca Comprovant php.ini
checking required php version %1 (recommended %2) setup ca Comprovant si hi ha PHP versió %1 (recomanat %2)
checking the egroupware installation setup ca Comprovant la instal·lació d'eGroupWare
click <a href="index.php">here</a> to return to setup. setup ca Premeu <a href="index.php">aquí</a> per a tornar a la instal·lació.
click here setup ca Premeu aquí
click here to re-run the installation tests setup ca Premeu aquí per a tornar a arrancar els tests d'instal·lació
completed setup ca Completat
config password setup ca Contrasenya de Configuració
config username setup ca Nom d'Usuari de Configuració
configuration setup ca Configuració
configuration completed setup ca Configuració acabada
configuration password setup ca Contrasenya de Configuració
configuration user setup ca Usuari de Configuració
configure now setup ca Configurar ara
confirm to delete this backup? setup ca Confirmeu que voleu esborrar aquesta còpia de seguretat?
contain setup ca conté
continue setup ca Continuar
continue to the header admin setup ca Continuar en l'Administrador de capçaleres
convert setup ca Convertir
convert backup to charset selected above setup ca Converteix la còpia de seguretat al joc de caràcters triat més amunt
could not open header.inc.php for writing! setup ca No es pot obrir header.inc.php per a escriure!
country selection setup ca Seleccionar país
create setup ca Crear
create a backup before upgrading the db setup ca crea una còpia de seguretat abans d'actualitzar la BBDD
create admin account setup ca Crear el compte d'administrador
create database setup ca Crear base de dades
create demo accounts setup ca Crear comptes de demostració
create one now setup ca Crear-ne una ara
create the empty database - setup ca Crear la base de dades buida
create the empty database and grant user permissions - setup ca Crear la base de dades buida i establir permisos d'usuaris -
create your header.inc.php setup ca Crear un header.inc.php propi
created setup ca creat
created header.inc.php! setup ca S'ha creat header.inc.php!
creating tables setup ca Creant Taules
current system-charset setup ca Joc de caràcters actual del sistema
current system-charset is %1. setup ca El joc de caràcters actual del sistema és %1.
current version setup ca Versió Actual
currently installed languages: %1 <br /> setup ca Idiomes instal·lats actualment: %1 <br />
database instance (egw domain) setup ca Instància de base de dades (domini eGW)
database successfully converted from '%1' to '%2' setup ca Base de dades convertida correctament de '%1' a '%2'
datebase setup ca Base de dades
datetime port.<br />if using port 13, please set firewall rules appropriately before submitting this page.<br />(port: 13 / host: 129.6.15.28) setup ca Port data i hora.<br />Si utilitzes el port 13, per favor comprova les regles del firewall abans d'enviar aquesta pàgina.<br />(Port: 13 / Host: 129.6.15.28)
day setup ca dia
day of week<br />(0-6, 0=sunday) setup ca dia de la setmana<br />(0-6, 0=diumenge)
db backup and restore setup ca còpia de seguretat i restauració de la BBDD
db host setup ca Servidor de la base de dades
db name setup ca Nom de la base de dades
db password setup ca Contrasenya de la base de dades
db port setup ca Port de la base de dades
db root password setup ca Contrasenya de l'administrador de la base de dades
db root username setup ca Nom d'usuari de l'administrador de la base de dades
db type setup ca Tipus de base de dades
db user setup ca Usuari de la base de dades
default file system space per user/group ? setup ca Espai predeterminat al sistema d'arxius per usuari/grup?
delete setup ca Esborrar
delete all existing sql accounts, groups, acls and preferences (normally not necessary)? setup ca Esborrar tots els comptes SQL existents, ACLs i preferències? (normalment no és necessari)
delete all my tables and data setup ca Esborrar totes les meves taules i dades
delete all old languages and install new ones setup ca Esborrar tots els idiomes antics i instal·lar els nous
deleting tables setup ca Esborrant Taules
demo server setup setup ca Configuració de Servidor de Demostració
deny access setup ca Denegar accés
deny all users access to grant other users access to their entries ? setup ca Denegar a tots els usuaris l'accés a que puguin concedir a altres accés a les seves pròpies entrades?
dependency failure setup ca Errada en les dependències
deregistered setup ca desregistrada
details for admin account setup ca Detalls per al compte d'Administrador
developers' table schema toy setup ca Simulador per a l'esquema de taules de desenvolupament
did not find any valid db support! setup ca No es troba cap suport vàlid per a la base de dades!
do you want persistent connections (higher performance, but consumes more resources) setup ca Connexions persistents? (major rendiment, però consumeix més recursos)
do you want to manage homedirectory and loginshell attributes? setup ca Voleu gestionar el directori personal i atributs d'inici de sessió?
does not exist setup ca no existeix
domain setup ca Domini
domain name setup ca Nom del domini
domain select box on login setup ca Llista desplegable de selecció de domini a l'inici de sessió
dont touch my data setup ca No toqueu les meves dades
download setup ca Descarregar
edit current configuration setup ca Editar configuració actual
edit your existing header.inc.php setup ca Editar l'arxiu header.inc.php existent
edit your header.inc.php setup ca Editar l'arxiu header.inc.php
egroupware administration manual setup ca Manual d'Administració d'eGroupWare
enable for extra debug-messages setup ca activar els missatges de depuració extra
enable ldap version 3 setup ca Activar LDAP versió 3
enable mcrypt setup ca Activar MCrypt
enter some random text for app session encryption setup ca Introduïu qualsevol text aleatori per el xifrat de la sessió de l'aplicació
enter some random text for app_session <br />encryption (requires mcrypt) setup ca Introdueix text aleatori per app_session <br />encriptació (requereix mcrypt)
enter the full path for temporary files.<br />examples: /tmp, c:\temp setup ca Introdueix el camí complet per fitxers temporals.<br />Exemples: /tmp, C:\TEMP
enter the full path for users and group files.<br />examples: /files, e:\files setup ca Introdueix el camí complet per a fitxers d'usuaris i grups.<br />Exemples: /fitxers, E:\FITXERS
enter the full path to the backup directory.<br />if empty: files directory setup ca Introdueix el camí complet del directori de còpies de seguretat.<br />si buit: directori de fitxers
enter the hostname of the machine on which this server is running setup ca Introduïu el nom de l'ordinador on s'executa aquest servidor
enter the location of egroupware's url.<br />example: http://www.domain.com/egroupware &nbsp; or &nbsp; /egroupware<br /><b>no trailing slash</b> setup ca Introdueix la URL de eGroupware.<br />Exemple: http://www.domini.com/egroupware o /egroupware<br />
enter the site password for peer servers setup ca Introduïu la contrasenya del lloc per a servidors parells
enter the site username for peer servers setup ca Introduïu el nom d'usuari del lloc per a servidors parells
enter the title for your site setup ca Introduïu el títol per al vostre lloc
enter your default ftp server setup ca Introduïu el vostre servidor FTP per defecte
enter your http proxy server setup ca Introduïu el vostre servidor proxy HTTP
enter your http proxy server password setup ca Introduïu la contrasenya del vostre servidor proxy HTTP
enter your http proxy server port setup ca Introduïu el port del vostre servidor proxy HTTP
enter your http proxy server username setup ca Introduïu el nom d'usuari del vostre servidor proxy HTTP
error in admin-creation !!! setup ca Error en la creació de l'administrador !!!
error in group-creation !!! setup ca Error en la creació de grups !!!
export egroupware accounts from sql to ldap setup ca Exportar comptes d'eGroupWare de SQL a LDAP
export has been completed! you will need to set the user passwords manually. setup ca Exportació acabada. Necessitareu establir les contrasenyes dels usuaris manualment.
export sql users to ldap setup ca Exportar usuaris SQL a LDAP
false setup ca Fals
file setup ca ARXIU
file type, size, version, etc. setup ca tipus d'arxiu, tamany, versió, etc
file uploads are switched off: you can not use any of the filemanagers, nor can you attach files in several applications! setup ca La càrrega de fitxers està desactivada: NO pot utilitzar cap dels gestors de fitxers, ni pots adjuntar fitxers en algunes de les aplicacions!
filename setup ca nom del fitxer
filesystem setup ca Sistema de fitxers
for a new install, select import. to convert existing sql accounts to ldap, select export setup ca Per a una nova instal·lació, seleccioneu importar. Per a convertir comptes SQL existents a LDAP, seleccioneu exportar
force selectbox setup ca Obligar a llista desplegable
found existing configuration file. loading settings from the file... setup ca S'ha trobat un arxiu de configuració existent. Carregant els seus paràmetres...
go back setup ca Tornar
go to setup ca Anar a
grant access setup ca Establir Accés
has a version mismatch setup ca No coincideixen les versions
header admin login setup ca Connexió d'Administració Principal
header password setup ca Contrasenya d'Administració Principal
header username setup ca Nom d'Usuari d'Administració Principal
historylog removed setup ca Registre de l'historial esborrat
hooks deregistered setup ca "Hooks" desregistrats
hooks registered setup ca "Hooks" registrats
host information setup ca Informació del servidor
host/ip domain controler setup ca Controlador del servidor/domini IP
hostname/ip of database server setup ca Nom o adreça IP del servidor de la base de dades
hour (0-24) setup ca hora (0-24)
however, the application is otherwise installed setup ca Altrament, l'aplicació fou instal·lada
however, the application may still work setup ca Altrament, l'aplicació encara pot funcionar
if no acl records for user or any group the user is a member of setup ca Si no hi han registres ACL ni grup per a l'usuari, aleshores és membre de
if safe_mode is turned on, egw is not able to change certain settings on runtime, nor can we load any not yet loaded module. setup ca Si mode_segur està activat, eGW no pot canviar determinades configuracions en temps d'execució ni tampoc podem carregar cap mòdul que no estigui carregat.
if the application has no defined tables, selecting upgrade should remedy the problem setup ca Si l'aplicació no ha definit taules, seleccionant actualitzar hauria de resoldre el problema
if using ads (active directory) authentication setup ca Si feu servir autentificació ADS (Activer Directory)
if using ldap setup ca Si feu servir LDAP
if using ldap, do you want to manage homedirectory and loginshell attributes? setup ca Si utilitzeu LDAP, voleu administrar els atributs del directori personal i l'interpret d'ordres?
if you did not receive any errors, your applications have been setup ca Si no heu rebut cap error, les aplicacions han estat
if you did not receive any errors, your tables have been setup ca Si no heu rebut cap error, les taules han estat
if you running this the first time, don't forget to manualy %1 !!! setup ca Si esteu executant l'aplicació per primera vegada, no oblideu %1 manualment!!
if you use only languages of the same charset (eg. western european ones) you dont need to set a system-charset! setup ca Si només utilitzeu llenguatges del mateix joc de caràcters (ex. els de l'Europa Occidental), no necessiteu indicar un joc de caràcters pel sistema!
image type selection order setup ca Ordre de selecció del tipus d'imatge
import accounts from ldap to the egroupware accounts table (for a new install using sql accounts) setup ca Importar comptes de LDAP a la taula de comptes d'eGroupWare (per a una nova instal·lació fent servir comptes SQL)
import has been completed! setup ca Importació acabada!
import ldap users/groups setup ca Importar usuaris/grups LDAP
importing old settings into the new format.... setup ca Importar configuració antiga al nou format...
include root (this should be the same as server root unless you know what you are doing) setup ca Incloure Root (ha d'ésser el mateix que Server Root a menys que sabeu el que esteu fent)
include_path need to contain "." - the current directory setup ca include_path necessita contenir "." - el directori actual
install setup ca Instal·lar
install all setup ca Instal·lar-ho tot
install applications setup ca Instal·lar aplicacions
install backup setup ca instal·lar còpia de seguretat
install language setup ca Instal·lar idiomes
installed setup ca instal·lat
instructions for creating the database in %1: setup ca Instruccions per a crear la base de dades en %1:
invalid ip address setup ca Adreça IP incorrecta
invalid mcrypt algorithm/mode combination setup ca Combinació invàlida Algoritme/Mode Mcrypt
invalid password setup ca Contrasenya incorrecta
is broken setup ca trencat
is disabled setup ca desactivat
is in the webservers docroot setup ca és al docroot del servidor web
is not writeable by the webserver setup ca no pot ser modificat pel servidor web
ldap account import/export setup ca Importació/Exportació de comptes LDAP
ldap accounts configuration setup ca Configuració de comptes LDAP
ldap accounts context setup ca Context de les comptes LDAP
ldap config setup ca Configuració LDAP
ldap default homedirectory prefix (e.g. /home for /home/username) setup ca Prefix del directori personal predeterminat (p. ex. /home per a /home/<usuari>)
ldap default shell (e.g. /bin/bash) setup ca Intérpret d'ordres LDAP predeterminat (p. ex. /bin/bash)
ldap encryption type setup ca Tipus de xifrat LDAP
ldap export setup ca Exportació LDAP
ldap export users setup ca Exportar usuaris LDAP
ldap groups context setup ca Context de grups LDAP
ldap host setup ca Servidor LDAP
ldap import setup ca Importació LDAP
ldap import users setup ca Importar usuaris LDAP
ldap modify setup ca Modificar LDAP
ldap root password setup ca Contrasenya de l'administrador LDAP
ldap rootdn setup ca rootdn LDAP
ldap search filter for accounts, default: "(uid=%user)", %domain=egw-domain setup ca filtre de cerca LDAP per a comptes, per defecte: "(uid=%user)", %domain=eGW-domain
limit access to setup to the following addresses, networks or hostnames (e.g. 127.0.0.1,10.1.1,myhost.dnydns.org) setup ca Accés limitat a la instal·lació a les següents adreces, xarxes o màquines (ex. 127.0.0.1,10.1.1,myhost.dnydns.org)
login as user postgres, eg. by using su as root setup ca Iniciar la sessió com a usuari postgres, p.ex. com utilitzar su com a root
login to mysql - setup ca Iniciar sessió en mysql -
logout setup ca Tancar sessió
mail domain (for virtual mail manager) setup ca Domini de correu (per gestor de correus Virtual)
mail server login type setup ca Tipus de sessió del servidor de correu
mail server protocol setup ca Protocol del servidor de correu
make sure that your database is created and the account permissions are set setup ca Assegura't de que la teva base de dades està creada i s'han establert els permisos dels comptes
manage applications setup ca Administrar aplicacions
manage languages setup ca Administrar idiomes
max_execution_time is set to less than 30 (seconds): egroupware sometimes needs a higher execution_time, expect occasional failures setup ca max_execution_time te un valor menor de 30 (segons): eGroupWare a vegades necessita un temps d'execució major. Hi pot haver petades ocasionals
maximum account id (e.g. 65535 or 1000000) setup ca Id màxim de compte (ex. 65535 o 1000000)
may be broken setup ca pot estar trencat
mcrypt algorithm (default tripledes) setup ca Algorisme Mcrypt (predeterminat: TRIPLEDES)
mcrypt initialization vector setup ca Vector d' inicialització Mcrypt
mcrypt mode (default cbc) setup ca Modus Mcrypt (predeterminat: CBC)
mcrypt settings (requires mcrypt php extension) setup ca Configuració Mcrypt (necessita la extensió mcrypt de PHP)
mcrypt version setup ca Versió Mcrypt
memory_limit is set to less than 16m: some applications of egroupware need more than the recommend 8m, expect occasional failures setup ca memory_limit te un valor menor de 16M: algunes aplicacions d'eGroupWare necessiten més dels recomanats 8M. Es poden produir petades ocasionals
minimum account id (e.g. 500 or 100, etc.) setup ca Id mínim de compte (ex. 500 o 100, etc)
minute setup ca minut
missing or uncomplete mailserver configuration setup ca Configuració del servidor de correu desconeguda o incompleta
modifications have been completed! setup ca Modificacions acabades!
modify setup ca Modificar
modify an existing ldap account store for use with egroupware (for a new install using ldap accounts) setup ca Modificar un compte existent LDAP emmagatzemada per a usar amb eGroupWare (per a una nova instal·lació usant comptes LDAP)
month setup ca mes
multi-language support setup setup ca Configuració del suport Multi-Idioma
name of database setup ca Nom de la base de dades
name of db user egroupware uses to connect setup ca Nom de l'usuari de la base de dades que usa eGroupWare per a connectar
never setup ca mai
new setup ca Nou
next run setup ca pròxima execució
no setup ca No
no %1 support found. disabling setup ca No s'ha trobat suport per a %1. Desactivant
no accounts existing setup ca No existeixen comptes
no algorithms available setup ca no hi ha algorismes disponibles
no modes available setup ca no hi han modes disponibles
no xml support found. disabling setup ca No s'ha trobat suport per a XML. Desactivant
not setup ca no
not all mcrypt algorithms and modes work with egroupware. if you experience problems try switching it off. setup ca No tots els algorismes i modes de mcrypt funcionen amb eGroupWare. Si teniu problemes, proveu a desactivar-ho.
not complete setup ca incomplet
not completed setup ca Incomplet
not ready for this stage yet setup ca No esteu preparats encara per aquesta fase
not set setup ca sense establir
note: you will be able to customize this later setup ca Nota: Podreu configurar això més tard
now guessing better values for defaults... setup ca Cercant els millors valors per als predeterminats...
odbc / maxdb: dsn (data source name) to use setup ca ODBC / MaxDB: DSN (nom de font de dades) per utilitzar
ok setup ca Acceptar
once the database is setup correctly setup ca Un cop la base de dades estigui configurada correctament
one month setup ca un mes
one week setup ca una setmana
only add languages that are not in the database already setup ca Només afegeix idiomes que encara no estiguin a la base de dades
only add new phrases setup ca Només afegeix noves frases
or setup ca o
or %1continue to the header admin%2 setup ca o %1Continuar a l'Administrador de Capçaleres%2
or http://webdav.domain.com (webdav) setup ca o http://webdav.domini.com (WebDAV)
or we can attempt to create the database for you: setup ca O bé podem intentar crear la base de dades automàticament
or you can install a previous backup. setup ca O podeu instal·lar una còpia de seguretat anterior.
password for smtp-authentication setup ca Contrasenya per l'autentificació SMTP
password needed for configuration setup ca Contrasenya necessària per a la configuració
password of db user setup ca Contrasenya de l'usuari de la base de dades
passwords did not match, please re-enter setup ca Les contrasenyes no coincideixen, torneu a entrar-les
path information setup ca Informació del camí
path to user and group files has to be outside of the webservers document-root!!! setup ca El camí als arxius d'usuaris i grups HA D'ESTAR FORA de l'arrel del servidor web!!
pear is needed by syncml or the ical import+export of calendar. setup ca Se necessita PEAR per SyncML o la importació+exportació de calendari de iCal.
pear::log is needed by syncml. setup ca PEAR::Log és necessari per SyncML.
persistent connections setup ca Connexions persistents
php plus restore setup ca restauració de PHP plus
php plus restore gives by far the best performance, as it stores the egw enviroment completly in the session. setup ca La restauració de PHP plus és, de molt, la millor actuació ja que guarda completament l'entorn d'eGW dins la sessió.
please check for sql scripts within the application's directory setup ca Si us plau, comproveu els arxius d'ordres sql en el directori de l'aplicació
please check read/write permissions on directories, or back up and use another option. setup ca Si us plau, comproveu els permisos de lectura i escriptura als directoris, o torneu i feu servir una altra opció
please configure egroupware for your environment setup ca Configureu eGroupWare per al vostre entorn
please consult the %1. setup ca Consulteu el %1
please fix the above errors (%1) and warnings(%2) setup ca Si us plau, corregiu els errors (%1) i avisos(%2) citats a dalt
please install setup ca Instal·leu
please login setup ca Inicieu la sessió
please login to egroupware and run the admin application for additional site configuration setup ca Si us plau, inicieu la sessió en eGroupWare i executeu l'aplicació d'administració per a la configuració addicional del lloc
please make the following change in your php.ini setup ca Si us plau, feu els canvis següents al vostre php.ini
please wait... setup ca Si us plau, espereu...
pop/imap mail server hostname or ip address setup ca Nom del servidor de correus POP/IMAP o adreça IP
possible reasons setup ca Possibles raons
possible solutions setup ca Possibles solucions
post-install dependency failure setup ca Error de dependències a la post-instal·lació
postgres: leave it empty to use the prefered unix domain sockets instead of a tcp/ip connection setup ca Postgres: Deixa-ho buit per utilitzar els sockets de domini unix, en lloc d'una connexió tcp/ip
potential problem setup ca Problema potencial
preferences setup ca Preferències
problem resolution setup ca Resolució del problema
process setup ca Processar
re-check my database setup ca Tornar a comprovar la meva base de dades
re-check my installation setup ca Comprovar la meva instal·lació
re-enter password setup ca Confirmeu la contrasenya
read translations from setup ca Llegir traduccions de
readable by the webserver setup ca pot ser llegit pel servidor web
really uninstall all applications setup ca REALMENT voleu desinstal·lar totes les aplicacions
recommended: filesystem setup ca Recomanat: sistema d' arxius
register_globals is turned on, egroupware does not require it and it's generaly more secure to have it turned off setup ca register_globals està activat. eGroupWare NO ho necessita i generalment és més segur tenir-ho desactivat.
registered setup ca registrat
rejected lines setup ca Línies rebutjades
remove setup ca Esborrar
remove all setup ca Esborrar tot
rename setup ca Renomenar
requires reinstall or manual repair setup ca Requereix reinstal·lació o reparació manual
requires upgrade setup ca Requereix actualització
resolve setup ca Resoldre
restore setup ca restaurar
restore failed setup ca Ha fallat la restauració
restore finished setup ca restauració finalitzada
restore started, this might take a few minutes ... setup ca s'ha iniciat la restauració, això pot trigar uns minuts...
restoring a backup will delete/replace all content in your database. are you sure? setup ca Restaurar uns còpia de seguretat pot esborrar/reemplaçar tot el vostre contingut de la base de dades. Esteu segurs?
return to setup setup ca Tornar a la instal·lació
run installation tests setup ca Arranca els test d'instal·lació
safe_mode is turned on, which is generaly a good thing as it makes your install more secure. setup ca safe_mode està activat, la qual cosa està molt bé perquè fa que la vostra instal·lació sigui més segura.
sample configuration not found. using built in defaults setup ca No s'ha trobat una configuració d'exemple. Usant valors predefinits.
save setup ca Desar
save this text as contents of your header.inc.php setup ca Desar aquest text com a contingut del vostre header.inc.php
schedule setup ca programar
scheduled backups setup ca còpies de seguretat programades
select an app, enter a target version, then submit to process to that version.<br />if you do not enter a version, only the baseline tables will be installed for the app.<br /><blink>this will drop all of the apps' tables first!</blink> setup ca Tria una aplicació, introdueix una versió destí, després envia el procés a aquella versió.<br />Si no introdueixes una versió, només s'instal·laran les taules base de l'aplicació.<br /><blink>AIXÒ ELIMINARÀ PRIMER TOTES LES TAULES DE L'APLICACIÓ!</blink>
select one... setup ca seleccionar un...
select the default applications to which your users will have access setup ca Seleccioneu les aplicacions predeterminades a les que tindran accés els usuaris
select the desired action(s) from the available choices setup ca Seleccioneu les accion(s) desitjades de la llista d'opcions disponibles
select to download file setup ca Seleccioneu per a descarregar arxiu
select where you want to store/retrieve file contents setup ca Seleccioneu on voleu desar/recuperar continguts d'arxius
select where you want to store/retrieve filesystem information setup ca Seleccioneu on voleu desar/recuperar informació del sistema d'arxius
select where you want to store/retrieve user accounts setup ca Seleccioneu on voleu desar/recuperar informació dels comptes d'usuari
select which group(s) will be exported (group membership will be maintained) setup ca Seleccioneu quins grups s'exportaran (es mantindran les pertenències al grup)
select which group(s) will be imported (group membership will be maintained) setup ca Seleccioneu quins grups s'importaran (es mantindran les pertenències al grup)
select which group(s) will be modified (group membership will be maintained) setup ca Seleccioneu quins grups es modificaran (es mantindran les pertenències al grup)
select which languages you would like to use setup ca Seleccioneu els idiomes que voleu fer servir
select which method of upgrade you would like to do setup ca Seleccioneu quin mètode d'actualització preferiu fer servir
select which type of authentication you are using setup ca Seleccioneu quin tipus d'identificació feu servir
select which user(s) will also have admin privileges setup ca Seleccioneu quin(s) usuari(s) tindran privilegis d'administrador
select which user(s) will be exported setup ca Seleccioneu quin(s) usuari(s) s'exportaran
select which user(s) will be imported setup ca Seleccioneu quin(s) usuari(s) s'importaran
select which user(s) will be modified setup ca Seleccioneu quin(s) usuari(s) es modficaran
select which user(s) will have admin privileges setup ca Seleccioneu quin(s) usuari(s) tindran privilegis d'administrador
select your old version setup ca Seleccioneu la versió anterior
selectbox setup ca Quadre de selecció
server root setup ca Arrel del servidor
sessions type setup ca Tipus de sessions
set setup ca configura
set this to "old" for versions &lt; 2.4, otherwise the exact mcrypt version you use. setup ca Establiu això a "old" per a versions < 2.4, altrament indiqueu la versió exacta de mcrypt que feu servir.
setting the system-charset to utf-8 (unicode) allows the coexistens of data from languages of different charsets. setup ca Fent que el conjunt de caràcters del sistema sigui UTF-8 (unicode) és possible la coexistència de llenguatges amb conjunts de caràcters diferents.
settings setup ca Configuració
setup setup ca Instal·lació
setup demo accounts in ldap setup ca Instal·lar comptes de demostració en LDAP
setup main menu setup ca Menú principal de la instal·lació
setup the database setup ca Instal·lar la base de dades
setup/config admin login setup ca Actualitza/Configura l'entrada de l'administrador
show 'powered by' logo on setup ca Mostrar el logo a
size setup ca mida
skip the installation tests (not recommended) setup ca Bóta les proves d'instal·lació (no recomanat)
smtp server hostname or ip address setup ca Nom del servidor de SMTP o adreça IP
smtp server port setup ca Port del servidor SMTP
some or all of its tables are missing setup ca No es troben totes o unes quantes taules
sql encryption type setup ca Tipus de xifrat per contrasenyes SQL (predeterminat - md5)
standard (login-name identical to egroupware user-name) setup ca standard (nom d'entrada idèntic al nom d'usuari d'eGroupware)
standard mailserver settings (used for mail authentication too) setup ca Preferències del servidor de correu standard (usat també per atutentificació de Correu)
start the postmaster setup ca Iniciar el postmaster
status setup ca Estat
step %1 - admin account setup ca Pas %1 - Compte d'Administrador
step %1 - advanced application management setup ca Pas %1 - Administració avançada d'aplicacions
step %1 - configuration setup ca Pas %1 - Configuració
step %1 - db backup and restore setup ca Pas %1 - Còpia de seguretat i restauració de BBDD
step %1 - language management setup ca Pas %1 - Administració d'idiomes
step %1 - simple application management setup ca Pas %1 - Administració simple d'aplicacions
succesfully uploaded file %1 setup ca s'ha carregat correctament el fitxer %1
table change messages setup ca Missatges de canvis en taules
tables dropped setup ca taules esborrades
tables installed, unless there are errors printed above setup ca taules instal·lades, a menys que hi hagi errors impresos a sobre
tables upgraded setup ca taules actualitzades
target version setup ca Versió destí
tcp port number of database server setup ca Número del pot TCP del servidor de la base de dades
text entry setup ca Entrada de text
the %1 extension is needed, if you plan to use a %2 database. setup ca L'extensió %1 és necessaria si vols utilitzar una base de dades %2.
the db_type in defaults (%1) is not supported on this server. using first supported type. setup ca El tipus de base de dades en predeterminats (%1) no està suportat en aquest servidor. Es fa servir el primer tipus suportat
the file setup ca l'arxiu
the first step in installing egroupware is to ensure your environment has the necessary settings to correctly run the application. setup ca La primera passa per instal·lar eGroupWare consisteix en assegurar-se de que el vostre entorn té les configuracions necessàries per a poder executar correctament l'aplicació.
the following applications need to be upgraded: setup ca Les aplicacions següents necessiten actualitzar-se:
the imap extension is needed by the two email apps (even if you use email with pop3 as protocoll). setup ca L'extensió imap és necessària per a les dues aplicacions de correu (fins i tot si utilitzeu el protocol pop3).
the mbstring extension is needed to fully support unicode (utf-8) or other multibyte-charsets. setup ca L'extensió mbstring és necessària per a suportar completament l'unicode (utf-8) o altres conjunts de caràcters de més d'un byte.
the mbstring.func_overload = 7 is needed to fully support unicode (utf-8) or other multibyte-charsets. setup ca mbstring.func_overload = 7 és necessària per a suportar completament l'unicode (utf-8) o altres conjunts de caràcters de més d'un byte.
the session extension is needed to use php sessions (db-sessions work without). setup ca L'extensió de sessió se necessita per utilitzar sessions php (les sessions de bd funcionen sense).
the table definition was correct, and the tables were installed setup ca La definició de la taula ha estat correcta, i s'han instal·lat les taules
the tables setup ca les taules
there was a problem trying to connect to your ldap server. <br /> setup ca Hi ha hagut un problema per connectar amb el teu servidor LDAP. <br />
there was a problem trying to connect to your ldap server. <br />please check your ldap server configuration setup ca Hi ha hagut un problema per connectar amb el teu servidor de LDAP. <br />per favor, comprova la teva configuració de servidor LDAP
this has to be outside the webservers document-root!!! setup ca Això ha d'estar fora de l'arrel de documents dels servidors web!!!
this might take a while, please wait ... setup ca Això pot trigar una estona, espereu si us plau ...
this program lets you backup your database, schedule a backup or restore it. setup ca Aquest programa et permet fer còpies de seguretat de la teva base de dades, programar una còpia de seguretat o restaurar-la.
this program will convert your database to a new system-charset. setup ca Aquest programa convertirà la base de dades a un nou joc de caràcters del sistema.
this program will help you upgrade or install different languages for egroupware setup ca Aquest programa us ajudarà a actualitzar o instal·lar els diferents idiomes per a eGroupWare
this section will help you export users and groups from egroupware's account tables into your ldap tree setup ca Aquesta secció intentarà exportar els usuaris i grups de les taules de comptes d'eGroupWare a l'arbre LDAP
this section will help you import users and groups from your ldap tree into egroupware's account tables setup ca Aquesta secció us ajudarà a importar usuaris i grups de l'arbre LDAP a les taules de comptes d'eGroupWare
this section will help you setup your ldap accounts for use with egroupware setup ca Aquesta secció us ajudarà a configurar els comptes LDAP per a usar amb eGroupWare
this should be around 30 bytes in length.<br />note: the default has been randomly generated. setup ca Hauria de tenir una longitud al voltant dels 30 bytes.<br />Nota: El valor per defecte ha estat generat de manera aleatòria.
this stage is completed<br /> setup ca Aquest nivell s'ha completat<br />
to a version it does not know about setup ca a una versió que no coneix
to allow password authentification add the following line to your pg_hba.conf (above all others) and restart postgres: setup ca per permetre la contrasenya d'autentificació, afegeix la línia següent al teu pg_hba.conf (per damunt les altres) I reinicia postgres:
to change the charset: back up your database, deinstall all applications and re-install the backup with "convert backup to charset selected" checked. setup ca Per canviar el joc de caràcters: fes una còpia de seguretat de la teva base de dades, desinstal·la totes les aplicacions i reinstal·la la còpia de seguretat amb l'opció "converteix còpia de seguretat al joc de caràcters triat" seleccionat.
to setup 1 admin account and 3 demo accounts. setup ca per a configurar un compte d'administrador i 3 de convidat
top setup ca capçalera
translations added setup ca Traduccions afegides
translations removed setup ca Traduccions esborrades
translations upgraded setup ca Traduccions actualitzades
true setup ca Cert
try to configure your php to support one of the above mentioned dbms, or install egroupware by hand. setup ca Intenteu configurar php per a suportar un dels esmentats SGBD, o instal·leu eGroupWare manualment.
two weeks setup ca dues setmanes
unfortunally some php/apache packages have problems with it (apache dies and you cant login anymore). setup ca Desafortunadament alguns paquets PHP/Apache tenen problemes amb això (Apache mor i no pots tornar a entrar).
uninstall setup ca desinstal·lar
uninstall all applications setup ca Desinstal·lar totes les aplicacions
uninstalled setup ca desinstal·lat
upgrade setup ca Actualitzar
upgrade all setup ca Actualitzar tot
upgraded setup ca actualitzat
upgrading tables setup ca Actualitzant taules
upload backup setup ca carrega còpia de seguretat
uploads a backup and installs it on your db setup ca carrega una còpia de seguretat i la instal·la a la vostra BBDD
uploads a backup to the backup-dir, from where you can restore it setup ca carrega una còpia de seguretat al directori de còpies de seguretat, des d'on la podreu restaurar
use cookies to pass sessionid setup ca Usar galetes per a passar l'id de sessió
use pure html compliant code (not fully working yet) setup ca Usar codi compatible HTML pur (no funciona completament encara)
user account prefix setup ca Prefix de compte d'usuari
user for smtp-authentication (leave it empty if no auth required) setup ca Usuari per autentificació (deixa-ho buit si no requereix autentificació)
usernames are casesensitive setup ca Els noms d'usuari són sensibles a majúscules
users choice setup ca Elecció de l'usuari
utf-8 (unicode) setup ca utf-8 (Unicode)
version setup ca versió
version mismatch setup ca Disparitat de versions
view setup ca Vista
virtual mail manager (login-name includes domain) setup ca Gestor de correu virtual (el nom d'entrada inclou el domini)
warning! setup ca Atenció!!
we can proceed setup ca Podem procedir
we will automatically update your tables/records to %1 setup ca Actualitzarem automàticament les vostres taules/registres a %1
we will now run a series of tests, which may take a few minutes. click the link below to proceed. setup ca Ara executarem una sèrie de proves que duraran uns pocs minuts. Pitjeu sobre l'enllaç d'abaix per continuar.
welcome to the egroupware installation setup ca Benvinguts a la Instal·lació de eGroupWare
what type of sessions management do you want to use (php session management may perform better)? setup ca Quin tipus de gestor de sessions vols utilitzar (el gestor de sessions de PHP funcionarà millor)?
which database type do you want to use with egroupware? setup ca Quin tipus de base de dades voleu usar amb eGroupWare?
world readable setup ca pot ser llegit per tothom
world writable setup ca pot ser modificat per tothom
would you like egroupware to cache the phpgw info array ? setup ca Voleu que eGroupWare desi en memòria cau la matriu d'informació phpgw?
would you like egroupware to check for a new version<br />when admins login ? setup ca Vols que eGroupware comprovi si hi ha una nova versió<br />quan l'administrador entri?
would you like to show each application's upgrade status ? setup ca Voleu mostrar l'estat de l'actualització de cada aplicació?
writable by the webserver setup ca pot ser modificat pel servidor web
write config setup ca Escriure configuració
year setup ca any
yes setup ca Sí
yes, with lowercase usernames setup ca Sí, amb nom d'usuaris en minúscules
you appear to be running a pre-beta version of egroupware.<br />these versions are no longer supported, and there is no upgrade path for them in setup.<br /> you may wish to first upgrade to 0.9.10 (the last version to support pre-beta upgrades) <br />and then upgrade from there with the current version. setup ca Pareix que executes una versió pre-beta d'eGroupware.<br />Aquestes versions ja no tenen suport i no hi ha cap ruta per actualitzar-les a la instal·lació.<br /> Potser t'estimes més actualitzar primer a la versió 0.9.10 (la darrera versió que suporta actualitzacions pre-beta) <br /> i després actualitzar a partir de la versió actual.
you appear to be running an old version of php <br />it its recommend that you upgrade to a new version. <br />older version of php might not run egroupware correctly, if at all. <br /><br />please upgrade to at least version %1 setup ca Pareix que executes una versió pre-beta d'eGroupware.<br />És recomanable que actualitzis a una versió nova. <br />Les versions antigues de PHP poden fer que eGroupware no funcioni correctament, o gens ni mica. <br /><br />Per favor, actualitza a la darrera versió %1
you appear to be running version %1 of egroupware setup ca Sembla que esteu executant la versió %1 d'eGroupWare
you appear to be using php earlier than 4.1.0. egroupware now requires 4.1.0 or later setup ca Sembla que esteu usant una versió de PHP anterior a la 4.1.0. Necessiteu tenir 4.1.0 o superior.
you appear to have %1 support. setup ca Pareix que tens suport %1.
you appear to have php session support. enabling php sessions. setup ca Pareix que tens suport de sessions PHP. Habilitant sessions PHP.
you appear to have xml support enabled setup ca Sembla que teniu activat el suport de XML
you are ready for this stage, but this stage is not yet written.<br /> setup ca Estàs a punt per a aquest nivell, però aquest nivell esncara no s'ha guardat.<br />
you can install it by running: setup ca Ho pots instal·lar executant:
you didn't enter a config password for domain %1 setup ca No heu entrat una contrasenya de configuració per al domini %1
you didn't enter a config username for domain %1 setup ca No heu entrat un nom d'usuari de configuració per al domini %1
you didn't enter a header admin password setup ca No heu entrat una contrasenya per a l'administració de capceleres
you didn't enter a header admin username setup ca No heu entrat un nom d'usuari per a l'administració de capceleres
you do not have any languages installed. please install one now <br /> setup ca No tens cap idioma instal·lat. Per favor, instal·la'n un ara <br />
you have not created your header.inc.php yet!<br /> you can create it now. setup ca Encara no has creat el teu header.inc.php!<br /> El pots crear ara.
you have successfully logged out setup ca Us heu desconnectat correctament.
you must enter a username for the admin setup ca Heu d'introduir un nom d'usuari per a l'administrador
you need to add some domains to your header.inc.php. setup ca Necessiteu afegir alguns dominis a l'arxiu header.inc.php.
you need to select your current charset! setup ca Heu de seleccionar el joc de caràcters actual!
you should either uninstall and then reinstall it, or attempt manual repairs setup ca Podeu desintalar-la i tornar-la a instal·lar, o podeu intentar una reparació manual
you will need to load the proper schema into your ldap server - see phpgwapi/doc/ldap/readme setup ca Necessitareu carregar l'esquema adient dins el vostre servidor ldap - veure <a href="../phpgwapi/doc/ldap/README" target="_blank">phpgwapi/doc/ldap/README</a>
you're using an old configuration file format... setup ca Esteu usant un arxiu de configuració amb format antic
you're using an old header.inc.php version... setup ca Esteu usant una versió antiga de l'arxiu header.inc.php
your applications are current setup ca Les vostres aplicacions estan actualitzades
your backup directory '%1' %2 setup ca El vostre directori de còopies de seguretat '%1' %2
your database does not exist setup ca La vostra base de dades no existeix
your database is not working! setup ca La vostra base de dades no funciona!!
your database is working, but you dont have any applications installed setup ca La vostra base de dades està funcionant, però no té aplicacions instal·lades
your egroupware api is current setup ca La teva API eGroupware està actualitzada
your files directory '%1' %2 setup ca El vostre directori de fitxers '%1' %2
your header admin password is not set. please set it now! setup ca La contrasenya d'administrador de capceleres NO està configurada. Si us plau, entreu-ne una ara.
your header.inc.php needs upgrading. setup ca El vostre header.inc.php necessita actualització
your header.inc.php needs upgrading.<br /><blink><b class="msg">warning!</b></blink><br /><b>make backups!</b> setup ca El teu header.inc.php necessita actualitzar-se.<br /><blink><b class="msg">ATENCIÓ!</b></blink><br /><b>FES CÒPIES DE SEGURETAT!</b>
your php installation does not have appropriate gd support. you need gd library version 1.8 or newer to see gantt charts in projects. setup ca La vostra instal·lació de PHP no te el suport GD adient. Necessiteu la llibreria gd versió 1.8 o superior per a veure els diagrames de Gantt als projectes.
your tables are current setup ca Les vostres taules estan actualitzades
your tables will be dropped and you will lose data setup ca Les vostres taules s'esborraran i perdreu la informació que continguin!!
your temporary directory '%1' %2 setup ca El vostre directori temporal '%1' %2

View File

@ -61,7 +61,7 @@ auto-created user accounts expire setup de Automatisch angelegte Benutzerkonten
available version setup de Verfügbare Version
back to the previous screen setup de Zurück zur vorhergehenden Seite
back to user login setup de Zurück zur Benutzeranmeldung
back's up your db now, this might take a view minutes setup de Sichert Ihre DB jetzt direkt, das kann einige Minuten dauern
back's up your db now, this might take a few minutes setup de Sichert Ihre DB jetzt direkt, das kann einige Minuten dauern
backup '%1' deleted setup de Datensicherung '%1' gelöscht
backup '%1' renamed to '%2' setup de Datensicherung '%1' nach '%2' umbenannt
backup '%1' restored setup de Datensicherung '%1' zurückgesichert
@ -70,7 +70,7 @@ backup failed setup de Datensicherung fehlgeschlagen
backup finished setup de Datensicherung beendet
backup now setup de jetzt sichern
backup sets setup de Datensicherungen
backup started, this might take a view minutes ... setup de Datensicherung gestartet, das kann einige Minuten dauern ...
backup started, this might take a few minutes ... setup de Datensicherung gestartet, das kann einige Minuten dauern ...
because an application it depends upon was upgraded setup de da eine Anwendung von der sie abhängt upgegradet wurde
because it depends upon setup de weil es abhängt von
because it is not a user application, or access is controlled via acl setup de weil es keine Benutzer-Anwendung ist, oder der Zugriff über ACL kontrolliert wird
@ -381,7 +381,7 @@ resolve setup de L
restore setup de Wiederherstellen
restore failed setup de Wiederherstellen fehlgeschlagen
restore finished setup de Wiederherstellen beendet
restore started, this might take a view minutes ... setup de Wiederherstellung gestartet, das kann einige Minuten dauern ...
restore started, this might take a few minutes ... setup de Wiederherstellung gestartet, das kann einige Minuten dauern ...
restoring a backup will delete/replace all content in your database. are you sure? setup de Das Wiederherstellen einer Datensicherung löscht / ersetzt den Inhalt Ihrer Datenbank. Sind Sie sicher?
return to setup setup de Zurück zum Setup
run installation tests setup de Installationstests starten

View File

@ -61,7 +61,7 @@ auto-created user accounts expire setup en Auto-created user accounts expire
available version setup en Available Version
back to the previous screen setup en Back to the previous screen
back to user login setup en Back to user login
back's up your db now, this might take a view minutes setup en back's up your DB now, this might take a view minutes
back's up your db now, this might take a few minutes setup en back's up your DB now, this might take a few minutes
backup '%1' deleted setup en backup '%1' deleted
backup '%1' renamed to '%2' setup en backup '%1' renamed to '%2'
backup '%1' restored setup en backup '%1' restored
@ -70,7 +70,7 @@ backup failed setup en Backup failed
backup finished setup en backup finished
backup now setup en backup now
backup sets setup en backup sets
backup started, this might take a view minutes ... setup en backup started, this might take a view minutes ...
backup started, this might take a few minutes ... setup en backup started, this might take a few minutes ...
because an application it depends upon was upgraded setup en because an application it depends upon was upgraded
because it depends upon setup en because it depends upon
because it is not a user application, or access is controlled via acl setup en because it is not a user application, or access is controlled via acl
@ -379,7 +379,7 @@ resolve setup en Resolve
restore setup en restore
restore failed setup en Restore failed
restore finished setup en restore finished
restore started, this might take a view minutes ... setup en restore started, this might take a view minutes ...
restore started, this might take a few minutes ... setup en restore started, this might take a few minutes ...
restoring a backup will delete/replace all content in your database. are you sure? setup en Restoring a backup will delete/replace all content in your database. Are you sure?
return to setup setup en Return to Setup
run installation tests setup en Run installation tests

553
setup/lang/phpgw_es-es.lang Normal file
View File

@ -0,0 +1,553 @@
%1 does not exist !!! setup es-es ¡¡%1 no existe!!
%1 is %2%3 !!! setup es-es ¡¡%1 %2 es %3!!
(searching accounts and changing passwords) setup es-es (buscando cuentas y cambiando contraseñas)
*** do not update your database via setup, as the update might be interrupted by the max_execution_time, which leaves your db in an unrecoverable state (your data is lost) !!! setup es-es *** NO actualice su base de datos mediante esta instalación, ya que la actualización podría interrumpirse por el tiempo máximo de ejecución permitido, lo que deja su base de datos en un estado irrecuperable ¡¡(se pierden los datos)!!
*** you have to do the changes manualy in your php.ini (usualy in /etc on linux) in order to get egw fully working !!! setup es-es *** Tiene que hacer los cambios manualmente en su php.ini (normalmente en /etc en linux) para que eGW funcione completamente ***
00 (disable) setup es-es 00 (desactivar / recomendado)
13 (ntp) setup es-es 13 (ntp)
80 (http) setup es-es 80 (http)
<b>charset to use</b> (use utf-8 if you plan to use languages with different charsets): setup es-es <b>juego de caracteres a usar</b> (usar utf-8 si se van a usar idiomas con distintos juegos de caracteres):
<b>this will create 1 admin account and 3 demo accounts</b><br />the username/passwords are: demo/guest, demo2/guest and demo3/guest. setup es-es <b>Esto creará 1 cuenta de administrador y 3 de demostración</b><br />Los nombres de usuario y contraseñas son: demo/guest, demo2/guest y demo3/guest.
accounts existing setup es-es Existen cuentas
actions setup es-es Acciones
activate save password check setup es-es Activar la comprobación para guardar contraseñas
add auto-created users to this group ('default' will be attempted if this is empty.) setup es-es Añadir usuarios creados automáticamente a este grupo (si está vacío, se le asignará el grupo predeterminado)
add new database instance (egw domain) setup es-es Añadir nueva instancia de base de datos (dominio eGW)
additional settings setup es-es Configuración adicional
admin first name setup es-es Nombre del administrador
admin last name setup es-es Apellido del administrador
admin password setup es-es Contraseña del administrador
admin password to header manager setup es-es Contraseña del administrador para el admnistrador de encabazados
admin user for header manager setup es-es Usuario de administración para el administrador de encabezados
admin username setup es-es Nombre de usuario administrador
admins setup es-es Admnistradores
after backing up your tables first. setup es-es Después de haber hecho copia de seguridad de las tablas.
after retrieving the file, put it into place as the header.inc.php. then, click "continue". setup es-es Después de recuperar el fichero, póngalo en su lugar como header.inc.php. Después, pulse "continuar".
all applications setup es-es Todas las aplicaciones
all core tables and the admin and preferences applications setup es-es Todas las tablas principales y las aplicaciones de preferencias y administración
all languages (incl. not listed ones) setup es-es todos los idiomas (incluyendo los no listados)
all users setup es-es Todos los usuarios
allow authentication via cookie setup es-es Permitir identificación por cookies
allow password migration setup es-es Permitir migración de la contraseña
allowed migration types (comma-separated) setup es-es Permitir tipos de migración (separados por comas)
analysis setup es-es Análisis
and reload your webserver, so the above changes take effect !!! setup es-es Y reiniciar el servidor web, para que los cambios de arriba tengan efecto
app details setup es-es Detalles de la aplicación
app install/remove/upgrade setup es-es Instalación/Eliminación/Actualización de la Aplicación
app process setup es-es Proceso de la aplicación
application data setup es-es Datos de la aplicación
application list setup es-es Lista de aplicaciones
application management setup es-es Administración de aplicaciones
application name and status setup es-es Nombre de la aplicación y estado
application name and status information setup es-es Nombre de la aplicación e información de estado
application title setup es-es Título de la aplicación
application: %1, file: %2, line: "%3" setup es-es Aplicación: %1, Fichero: %2, Línea: "%3"
are you sure you want to delete your existing tables and data? setup es-es ¿Seguro que desea borrar las tablas y datos existentes?
are you sure? setup es-es ¿ESTA SEGURO?
at your request, this script is going to attempt to create the database and assign the db user rights to it setup es-es A petición suya, este script intentará crear la base de datos y asignar permisos al usuario de la base de datos para ella
at your request, this script is going to attempt to install a previous backup setup es-es A petición suya, este script va a intentar instalar una copia de seguridad anterior
at your request, this script is going to attempt to install the core tables and the admin and preferences applications for you setup es-es A petición suya, este script va a intentar instalar las tablas principales y las aplicaciones de preferencias y administración.
at your request, this script is going to attempt to upgrade your old applications to the current versions setup es-es A petición suya, este script intentará actualizar sus antiguas apliaciones a las versiones actuales
at your request, this script is going to attempt to upgrade your old tables to the new format setup es-es A petición suya, este script intentará actualizar sus tablas antiguas al nuevo formato
at your request, this script is going to take the evil action of deleting your existing tables and re-creating them in the new format setup es-es A petición suya, este script ejecutará la "malvada" acción de eliminar sus tablas actuales y volverlas a crear en el nuevo formato
at your request, this script is going to take the evil action of uninstalling all your apps, which deletes your existing tables and data setup es-es A petición suya, este script ejecutará la "malvada" acción de desinstalar todas sus aplicaciones, lo que eliminará todas sus tablas y datos actuales
attempt to use correct mimetype for ftp instead of default 'application/octet-stream' setup es-es Intentar usar el tipo MIME correcto para FTP en lugar del predeterminado 'application/octet-stream'
authentication / accounts setup es-es Identificación / Cuentas
auto create account records for authenticated users setup es-es Crear automáticamente registros para los usuarios identificados
auto-created user accounts expire setup es-es Las cuentas creadas automáticamente para los usuarios expiran
available version setup es-es Versión disponible
back to the previous screen setup es-es Volver al menú anterior
back to user login setup es-es Volver al inicio de sesión de usuario
back's up your db now, this might take a few minutes setup es-es realiza una copia de seguridad de la base de datos. Puede tardar unos minutos
backup '%1' deleted setup es-es se ha borrado la copia de seguridad '%1'
backup '%1' renamed to '%2' setup es-es la copia de seguridad '%1' se ha renombrado a '%2'
backup '%1' restored setup es-es se ha restaurado la copia de seguridad '%1'
backup and restore setup es-es copiar y restaurar
backup failed setup es-es Falló la copia de seguridad
backup finished setup es-es finalizó la copia de seguridad
backup now setup es-es hacer copia de seguridad ahora
backup sets setup es-es conjuntos de copia de seguridad
backup started, this might take a few minutes ... setup es-es copia de seguridad iniciada, puede tardar unos minutos...
because an application it depends upon was upgraded setup es-es porque se actualizó una aplicación de la que depende
because it depends upon setup es-es porque depende de
because it is not a user application, or access is controlled via acl setup es-es porque no es una aplicación de usuario, o el acceso está controlado por ACL
because it requires manual table installation, <br />or the table definition was incorrect setup es-es porque requiere de instalación manual de las tablas,<br /> o la definición de la tabla fue incorrecta
because it was manually disabled setup es-es porque se desactivó manualmente
because of a failed upgrade or install setup es-es porque ocurrió un fallo al actualizar o instalar
because of a failed upgrade, or the database is newer than the installed version of this app setup es-es porque falló la actualización, o la base de datos es más reciente que la versión instalada de esta aplicación
because the enable flag for this app is set to 0, or is undefined setup es-es porque el indicador de "habilitada" de esta aplicación está a 0, o no está definido
bottom setup es-es parte inferior
but we <u>highly recommend backing up</u> your tables in case the script causes damage to your data.<br /><strong>these automated scripts can easily destroy your data.</strong> setup es-es pero le <u>recomendamos encarecidamente que haga copia de seguridad</u> de sus tablas en caso de que el script cause daños a su información.<br /><strong>Estos scripts automáticos pueden destruir su información fácilmente.</strong>
cancel setup es-es Cancelar
cannot create the header.inc.php due to file permission restrictions.<br /> instead you can %1 the file. setup es-es No se pudo crear el fichero header.inc.php debido a las restricciones en los ficheros. Puede %1 el fichero en su lugar.
change system-charset setup es-es Cambiar el juego de caracteres del sistema
charset setup es-es ISO-8859-1
charset to convert to setup es-es Juego de caracteres al que convertir
check can only be performed, if called via a webserver, as the user-id/-name of the webserver is not known. setup es-es Sólo se puede realizar a través de un servidor web, mientras no sea conocido el id de usuario o nombre del servidor web.
check installation setup es-es Comprobar instalación
check ip address of all sessions setup es-es Comprobar las direcciones ip de todas las sesiones
checking extension %1 is loaded or loadable setup es-es Comprobando si se puede cargar o está cargada la extensión %1
checking file-permissions of %1 for %2 %3: %4 setup es-es Comprobando si %1 %2 tiene permiso de %3: %4
checking for gd support... setup es-es Comprobando el soporte GD...
checking pear%1 is installed setup es-es Comprobando si PEAR %1 está instalado
checking php.ini setup es-es Comprobando php.ini
checking required php version %1 (recommended %2) setup es-es Comprobando la versión necesaria de PHP: %1 (recomendada: %2)
checking the egroupware installation setup es-es Comprobando la instalación de eGroupWare
click <a href="index.php">here</a> to return to setup. setup es-es Pulse <a href="index.php">aquí</a> para volver a la instalación.
click here setup es-es Pulse aquí
click here to re-run the installation tests setup es-es Pulse aquí para volver a ejecutar las pruebas de instalación
completed setup es-es Completado
config password setup es-es Contraseña de configuración
config username setup es-es Usuario de configuración
configuration setup es-es Configuración
configuration completed setup es-es Configuración completada
configuration password setup es-es Contraseña de configuración
configuration user setup es-es Usuario de configuración
configure now setup es-es Configurar ahora
confirm to delete this backup? setup es-es ¿Confirmar borrar esta copia de seguridad?
contain setup es-es contiene
continue setup es-es Continuar
continue to the header admin setup es-es Pasar a administrar encabezados
convert setup es-es Convertir
convert backup to charset selected above setup es-es Convertir la copia de seguridad al juego de caracteres seleccionado arriba
could not open header.inc.php for writing! setup es-es ¡No se pudo abrir header.inc.php para escribir!
country selection setup es-es Seleccionar país
create setup es-es Crear
create a backup before upgrading the db setup es-es crear una copia de seguridad antes de actualizar la base de datos
create admin account setup es-es Crear cuenta de administración
create database setup es-es Crear base de datos
create demo accounts setup es-es Crear cuentas de demostración
create one now setup es-es Crear una ahora
create the empty database - setup es-es Crear la base de datos en blanco
create the empty database and grant user permissions - setup es-es Crear la base de datos en blanco y conceder permisos a los usuarios -
create your header.inc.php setup es-es Crear un fichero header.inc.php propio
created setup es-es creado
created header.inc.php! setup es-es ¡Se ha creado el fichero header.inc.php!
creating tables setup es-es Creando tablas
current system-charset setup es-es Juego de caracteres actual del sistema
current system-charset is %1. setup es-es El juego de caracteres actual del sistema es %1.
current version setup es-es Versión actual
currently installed languages: %1 <br /> setup es-es Idiomas instalados actualmente: %1 <br />
database instance (egw domain) setup es-es Instancia de la base de datos (dominio eGW)
database successfully converted from '%1' to '%2' setup es-es La base de datos se convirtió correctamente de '%1' a '%2'
datebase setup es-es Base de datos
datetime port.<br />if using port 13, please set firewall rules appropriately before submitting this page.<br />(port: 13 / host: 129.6.15.28) setup es-es Puerto de hora.<br />Si usa el puerto 13, por favor, configure las reglas del cortafuegos adecuadamente antes de enviar esta página.<br />(Puerto: 13 / Servidor: 129.6.15.28)
day setup es-es día
day of week<br />(0-6, 0=sunday) setup es-es día de la semana<br />(0-6, 0=domingo)
db backup and restore setup es-es Copiar y restaurar la base de datos
db host setup es-es Servidor de la base de datos
db name setup es-es Nombre de la base de datos
db password setup es-es Contraseña de la base de datos
db port setup es-es Puerto de la base de datos
db root password setup es-es Contraseña del administrador de la base de datos
db root username setup es-es Usuario administrador de la base de datos
db type setup es-es Tipo de base de datos
db user setup es-es Usuario de la base de datos
default setup es-es valor predeterminado recomendado
default file system space per user/group ? setup es-es ¿Espacio predeterminado en el sistema por usuario o grupo?
delete setup es-es Borrar
delete all existing sql accounts, groups, acls and preferences (normally not necessary)? setup es-es ¿Borrar todas las cuentas SQL existentes, ACLs y preferencias? (normalmente no es necesario)
delete all my tables and data setup es-es Elimine todas mis tablas y datos
delete all old languages and install new ones setup es-es Eliminar todos los idiomas antiguos e instalar los nuevos
deleting tables setup es-es Eliminando tablas
demo server setup setup es-es Configuración de Servidor de demostración
deny access setup es-es Denegar acceso
deny all users access to grant other users access to their entries ? setup es-es ¿Denegar el acceso a que todos los usuarios puedan conceder acceso a sus propias entradas?
dependency failure setup es-es Fallo en las dependencias
deregistered setup es-es eliminada del registro
details for admin account setup es-es Detalles para la cuenta de Administrador
developers' table schema toy setup es-es Juguete para el esquema de tablas de desarrollo
did not find any valid db support! setup es-es ¡No se encontró ningún soporte válido para la base de datos!
do you want persistent connections (higher performance, but consumes more resources) setup es-es ¿Conexiones persistentes? (mayor rendimiento, pero consume más recursos)
do you want to manage homedirectory and loginshell attributes? setup es-es ¿Administrar el directorio personal y atributos de inicio de sesión?
does not exist setup es-es no existe
domain setup es-es Dominio
domain name setup es-es Nombre del dominio
domain select box on login setup es-es Cuadro de selección de dominio en el inicio de sesión
dont touch my data setup es-es No tocar mis datos
download setup es-es Descargar
edit current configuration setup es-es Editar configuración actual
edit your existing header.inc.php setup es-es Editar el fichero header.inc.php existente
edit your header.inc.php setup es-es Editar el fichero header.inc.php
egroupware administration manual setup es-es Manual de Administración de eGroupWare
enable for extra debug-messages setup es-es activar los mensajes de depuración extra
enable ldap version 3 setup es-es Activar LDAP versión 3
enable mcrypt setup es-es Activar MCrypt
enter some random text for app session encryption setup es-es Introduzca algún texto aleatorio para el cifrado de la sesión de la aplicación
enter some random text for app_session <br />encryption (requires mcrypt) setup es-es Introduzca algún texto aleatorio para el cifrado de la sesión de la aplicación<br />cifrado (necesita mcrypt)
enter the full path for temporary files.<br />examples: /tmp, c:\temp setup es-es Introduzca la ruta completa para los ficheros temporales.<br />Ejemplo: /tmp, C:\TEMP
enter the full path for users and group files.<br />examples: /files, e:\files setup es-es Introduzca la ruta completa para los ficheros de usuarios y grupos.<br />Ejemplo: /files, E:\FILES
enter the full path to the backup directory.<br />if empty: files directory setup es-es Introduzca la ruta completa al directorio de la copia de seguridad.<br />Si está vacio: directorio de los ficheros
enter the hostname of the machine on which this server is running setup es-es Introduzca el nombre de la máquina en la se está ejecutando esta instalación
enter the location of egroupware's url.<br />example: http://www.domain.com/egroupware &nbsp; or &nbsp; /egroupware<br /><b>no trailing slash</b> setup es-es Introduzca la URL de eGroupWare.<br />Ejemplo: http://www.dominio.com/egroupware o /egroupware<br /><b>Sin barra invertida al final</b>
enter the site password for peer servers setup es-es Introduzca la contraseña del sitio para los servidores peer
enter the site username for peer servers setup es-es Introduzca el nombre de usuario del sitio para servidores peer
enter the title for your site setup es-es Introduzca el título para su sitio
enter your default ftp server setup es-es Introduzca el servidor FTP predeterminado
enter your http proxy server setup es-es Introduzca el servidor proxy HTTP
enter your http proxy server password setup es-es Introduzca la contraseña del servidor proxy HTTP
enter your http proxy server port setup es-es Introduzca el puerto del servidor proxy HTTP
enter your http proxy server username setup es-es Introduzca el usuario del servidor proxy HTTP
error in admin-creation !!! setup es-es ¡Error al crear administrador!
error in group-creation !!! setup es-es ¡Error al crear grupo!
export egroupware accounts from sql to ldap setup es-es Exportar cuentas de eGroupWare de SQL a LDAP
export has been completed! you will need to set the user passwords manually. setup es-es Se ha completado la exportación. Necesitará poner la contraseña del usuario manualmente.
export sql users to ldap setup es-es Exportar usuarios SQL a LDAP
false setup es-es Falso
file setup es-es FICHERO
file type, size, version, etc. setup es-es tipo de fichero, tamaño, versión, etc
file uploads are switched off: you can not use any of the filemanagers, nor can you attach files in several applications! setup es-es La subida de ficheros al servidor está desactivada: ¡NO puede usar ningún gestor de ficheros ni adjuntar ficheros en varias aplicaciones!
filename setup es-es Nombre del fichero
filesystem setup es-es Sistema de archivos
for a new install, select import. to convert existing sql accounts to ldap, select export setup es-es Para una instalación nueva, seleccione importar. Para convertir las cuentas SQL existentes a LDAP, seleccione exportar
force selectbox setup es-es Forzar cuadro de selección
found existing configuration file. loading settings from the file... setup es-es Se encontró un fichero de configuración existente. Cargando la configuración desde el fichero...
go back setup es-es Volver
go to setup es-es Ir a
grant access setup es-es Conceder acceso
has a version mismatch setup es-es No coinciden las versiones
header admin login setup es-es Usuario administrador del encabezado
header password setup es-es Contraseña del encabezado
header username setup es-es Usuario del encabezado
historylog removed setup es-es Se borró el registro del historial
hooks deregistered setup es-es Se borraron los "hooks" del registro
hooks registered setup es-es Se han registrado los "hooks"
host information setup es-es Información del servidor
host/ip domain controler setup es-es Servidor/IP del controlador de dominio
hostname/ip of database server setup es-es Nombre del servidor o dirección IP del servidor de la base de datos
hour (0-24) setup es-es hora (0-24)
however, the application is otherwise installed setup es-es De todas formas, la aplicación fué instalada
however, the application may still work setup es-es Sin embargo, puede que la aplicación todavía funcione
if no acl records for user or any group the user is a member of setup es-es Si no hay registros ACL ni grupo para el usuario, entonces es miembro de
if safe_mode is turned on, egw is not able to change certain settings on runtime, nor can we load any not yet loaded module. setup es-es Si está activado safe_mode, eGW no puede cambiar ciertas opciones en modo de ejecución, ni puede cargar ningún módulo que aún no sea cargable.
if the application has no defined tables, selecting upgrade should remedy the problem setup es-es Si la aplicación no ha definido tablas, seleccionando actualizar debería de remediar el problemas
if using ads (active directory) authentication setup es-es Si se usa identificación del Directorio Activo
if using ldap setup es-es Si usa LDAP
if using ldap, do you want to manage homedirectory and loginshell attributes? setup es-es Si usa LDAP ¿desea administrar los atributos del directorio personal y línea de comandos?
if you did not receive any errors, your applications have been setup es-es Si no ha recibido ningún error, sus aplicaciones han sido
if you did not receive any errors, your tables have been setup es-es Si no ha recibido ningún error, sus tablas han sido
if you running this the first time, don't forget to manualy %1 !!! setup es-es ¡¡Si está ejecutando la aplicación por primera vez, no olvide %1 manualmente!!
if you use only languages of the same charset (eg. western european ones) you dont need to set a system-charset! setup es-es Si solamente usa idiomas del mismo juego de caracteres (por ejemplo, los occidentales), entonces no necesita un juego de caracteres para el sistema
image type selection order setup es-es Orden de selección del tipo de imagen
import accounts from ldap to the egroupware accounts table (for a new install using sql accounts) setup es-es Importar cuentas de LDAP a la tabla de cuentas de eGroupWare (para una nueva instalación usando cuentas SQL)
import has been completed! setup es-es Se ha completado la importación
import ldap users/groups setup es-es Importar usuarios/grupos LDAP
importing old settings into the new format.... setup es-es Importar configuración antigua al nuevo formato...
include root (this should be the same as server root unless you know what you are doing) setup es-es Incluir raíz (debe ser el mismo valor que Server Root a menos que sepa lo que está haciendo)
include_path need to contain "." - the current directory setup es-es include_path necesita contener ".", el directorio actual
install setup es-es Instalar
install all setup es-es Instalar todo
install applications setup es-es Instalar aplicaciones
install backup setup es-es instalar copia de seguridad
install language setup es-es Instalar idiomas
installed setup es-es instaladas
instructions for creating the database in %1: setup es-es Instrucciones para crear la base de datos en %1:
invalid ip address setup es-es La dirección IP no es válida
invalid mcrypt algorithm/mode combination setup es-es La combinación del algoritmo mcrypt y el modo no es válida
invalid password setup es-es La contraseña no es correcta
is broken setup es-es está roto
is disabled setup es-es está desactivado
is in the webservers docroot setup es-es en el raíz del servidor
is not writeable by the webserver setup es-es no es de escritura para el servidor web
ldap account import/export setup es-es Importar/Exportar cuentas LDAP
ldap accounts configuration setup es-es Configuración de cuentas LDAP
ldap accounts context setup es-es Contexto de las cuentas LDAP
ldap config setup es-es Configuración LDAP
ldap default homedirectory prefix (e.g. /home for /home/username) setup es-es Prefijo del directorio personal predeterminado (p. ej. /home para /home/<usuario>)
ldap default shell (e.g. /bin/bash) setup es-es Shell LDAP predeterminada (p. ej. /bin/bash)
ldap encryption type setup es-es Tipo de cifrado LDAP
ldap export setup es-es Exportar LDAP
ldap export users setup es-es Usuarios de exportar LDAP
ldap groups context setup es-es Contexto de grupos LDAP
ldap host setup es-es Servidor LDAP
ldap import setup es-es Importar LDAP
ldap import users setup es-es Importar usuarios LDAP
ldap modify setup es-es Modificar LDAP
ldap root password setup es-es Contraseña del administrador LDAP
ldap rootdn setup es-es rootdn LDAP
ldap search filter for accounts, default: "(uid=%user)", %domain=egw-domain setup es-es Filtro de búsqueda LDAP para las cuentas. Predeterminado: "(uid=%user)", %domain=eGW-domain
limit access to setup to the following addresses, networks or hostnames (e.g. 127.0.0.1,10.1.1,myhost.dnydns.org) setup es-es Limitar el acceso a la instalación a las siguientes direcciones, redes o máquinas (p. ej. 127.0.0.1,10.1.1,myhost.dnydns.org)
login as user postgres, eg. by using su as root setup es-es Iniciar sesión como usuario postgres, p. ej. usando su como root
login to mysql - setup es-es Iniciar sesión en mysql -
logout setup es-es Cerrar sesión
mail domain (for virtual mail manager) setup es-es Dominio de correo (para el gestor de correo virtual)
mail server login type setup es-es Tipo de sesión en el servidor de correo
mail server protocol setup es-es Protcolo del servidor de correo
make sure that your database is created and the account permissions are set setup es-es Asegúrese de que su base de datos está creada y que los permisos están configurados
manage applications setup es-es Administrar aplicaciones
manage languages setup es-es Administrar idiomas
manual / help setup es-es Manual / Ayuda
max_execution_time is set to less than 30 (seconds): egroupware sometimes needs a higher execution_time, expect occasional failures setup es-es max_execution_time está puesto a menos de 30 (segundos): eGroupWare a veces necesita un valor mayor para execution_time, así que puede haber fallos ocasionales.
maximum account id (e.g. 65535 or 1000000) setup es-es Id máximo de cuenta (p. ej. 65535 o 1000000)
may be broken setup es-es puede estar roto
mcrypt algorithm (default tripledes) setup es-es Algoritmo mcrypt (predeterminado TRIPLEDES)
mcrypt initialization vector setup es-es Vector de inicialización MCrypt
mcrypt mode (default cbc) setup es-es Modo de MCrypt (predeterminado CBC)
mcrypt settings (requires mcrypt php extension) setup es-es Configuración de MCrypt (necesita la extensión PHP mcrypt)
mcrypt version setup es-es Versión de MCrypt
memory_limit is set to less than 16m: some applications of egroupware need more than the recommend 8m, expect occasional failures setup es-es memory_limit está puesto a menos de 16M. Algunas aplicaciones de eGroupWare necesitan más de los recomendados 8M, así que puede haber fallos ocasionales
minimum account id (e.g. 500 or 100, etc.) setup es-es Id mínimo para la cuenta (p. ej. 500 ó 100, etc)
minute setup es-es minuto
missing or uncomplete mailserver configuration setup es-es La configuración del servidor de correo falta o está incompleta
modifications have been completed! setup es-es ¡Se han completado las modificaciones!
modify setup es-es Modificar
modify an existing ldap account store for use with egroupware (for a new install using ldap accounts) setup es-es Modificar una cuenta existente LDAP almacenada para usar con eGroupWare (para una nueva instalación usando cuentas LDAP)
month setup es-es mes
multi-language support setup setup es-es Configuración del soporte multi-Idioma
name of database setup es-es Nombre de la base de datos
name of db user egroupware uses to connect setup es-es Nombre del usuario de la base de datos que usa eGroupWare para conectar
never setup es-es nunca
new setup es-es Nueva
next run setup es-es siguiente ejecución
no setup es-es No
no %1 support found. disabling setup es-es No se encontró soporte para %1. Deshabilitando
no accounts existing setup es-es No existen cuentas
no algorithms available setup es-es no hay algoritmos disponibles
no modes available setup es-es No hay modos disponibles
no xml support found. disabling setup es-es No se encontró soporte para XML. Desactivando.
not setup es-es no
not all mcrypt algorithms and modes work with egroupware. if you experience problems try switching it off. setup es-es No todos los algoritmos y modos de mcrypt funcionan con eGroupWare. Si tiene problemas, intente desactivarlo.
not complete setup es-es sin completar
not completed setup es-es Sin completar
not ready for this stage yet setup es-es No está listo para esta fase todavía
not set setup es-es sin configurar
note: you will be able to customize this later setup es-es Nota: tendrá que personalizar esto después
now guessing better values for defaults... setup es-es Buscando valores óptimos predeterminados...
odbc / maxdb: dsn (data source name) to use setup es-es ODBC / MaxDB: DSN (data source name) a usar
ok setup es-es Aceptar
once the database is setup correctly setup es-es Una vez que la base de datos esté configurada correctamente
one month setup es-es un mes
one week setup es-es una semana
only add languages that are not in the database already setup es-es Sólo añade los nuevos idiomas que no están ya en la base de datos
only add new phrases setup es-es Sólo añade las nuevas frases
or setup es-es o
or %1continue to the header admin%2 setup es-es o %1Continuar para administrar los encabezados%2
or http://webdav.domain.com (webdav) setup es-es o http://webdav.dominio.com (WebDAV)
or we can attempt to create the database for you: setup es-es O podemos intentar crear la base de datos automáticamente
or you can install a previous backup. setup es-es O puede instalar una copia de seguridad anterior.
password for smtp-authentication setup es-es Contraseña para identificacion SMTP
password needed for configuration setup es-es Contraseña necesaria para la configuración
password of db user setup es-es Contraseña del usuario de la base de datos
passwords did not match, please re-enter setup es-es Las contreñas no coinciden. Por favor, vuelva a introducirlas
path information setup es-es Información de la ruta
path to user and group files has to be outside of the webservers document-root!!! setup es-es ¡¡La ruta a los ficheros de usuarios y grupos HA DE ESTAR FUERA de la raíz del servidor web!!
pear is needed by syncml or the ical import+export of calendar. setup es-es PEAR es necesario para SyncML o importar y exportar del calendario.
pear::log is needed by syncml. setup es-es PEAR::Log es necesario para SyncML
persistent connections setup es-es Conexiones persistentes
php plus restore setup es-es PHP plus restore
php plus restore gives by far the best performance, as it stores the egw enviroment completly in the session. setup es-es PHP plus restore proporciona de lejos el mejor rendimiento, ya que almacena el entorno de eGW completamente en la sesión.
please check for sql scripts within the application's directory setup es-es Por favor, compruebe los scripts sql en el directorio de la aplicación
please check read/write permissions on directories, or back up and use another option. setup es-es Por favor, compruebe los permisos de lectura y escritura en los directorios, o vuelva y use otra opción
please configure egroupware for your environment setup es-es Por favor, configure eGroupWare para su entorno
please consult the %1. setup es-es Por favor, consulte el %1
please fix the above errors (%1) and warnings(%2) setup es-es Por favor, corrija los errores de arriba (%1) y avisos (%2)
please install setup es-es Por favor, instale
please login setup es-es Por favor, inicie la sesión
please login to egroupware and run the admin application for additional site configuration setup es-es Por favor, inicie la sesión en eGroupWare y ejecute la aplicación de administración para conifguración adicional del sitio
please make the following change in your php.ini setup es-es Por favor, haga el siguiente cambio en su php.ini
please wait... setup es-es Por favor, espere...
pop/imap mail server hostname or ip address setup es-es Nombre o dirección IP del servidor de correo POP/IMAP
possible reasons setup es-es Posibles razones
possible solutions setup es-es Posibles soluciones
post-install dependency failure setup es-es Fallo de dependencias en el proceso de post-instalación
postgres: leave it empty to use the prefered unix domain sockets instead of a tcp/ip connection setup es-es Postgres: dejar en blanco para usar sockets unix (preferido) en vez de una conexión tcp/ip
potential problem setup es-es Problema potencial
preferences setup es-es Preferencias
problem resolution setup es-es Resolución del problema
process setup es-es Procesar
re-check my database setup es-es Volver a comprobar mi base de datos
re-check my installation setup es-es Comprobar mi instalación
re-enter password setup es-es Confirme la contraseña
read translations from setup es-es Leer traducciones de
readable by the webserver setup es-es lectura para el servidor web
really uninstall all applications setup es-es REALMENTE quiere desinstalar todas las aplicaciones
recommended: filesystem setup es-es Recomendado: sistema de ficheros
register_globals is turned on, egroupware does not require it and it's generaly more secure to have it turned off setup es-es register_globals está activado, y eGroupWare NO lo necesita, así que es más seguro tenerlo en Off (desactivado).
registered setup es-es registrado
rejected lines setup es-es Líneas rechazadas
remove setup es-es Eliminar
remove all setup es-es Eliminar todo
rename setup es-es renombrar
requires reinstall or manual repair setup es-es Requiere reinstalación o reparación manual
requires upgrade setup es-es Requiere actualización
resolve setup es-es Resolver
restore setup es-es restaurar
restore failed setup es-es Se ha producido un falla al restaurar
restore finished setup es-es Se terminó de restaurar
restore started, this might take a few minutes ... setup es-es Se comenzó a restaurar. Esto puede tardar unos minutos...
restoring a backup will delete/replace all content in your database. are you sure? setup es-es Restaurar una copia de seguridad borrará/sustituirá todo el contenido de la base de datos. ¿Está seguro?
return to setup setup es-es Volver a la instalación
run installation tests setup es-es Ejecutar pruebas de instalación
safe_mode is turned on, which is generaly a good thing as it makes your install more secure. setup es-es safe_mode está activado, lo cual suele ser bueno y hace que su instalación sea más segura.
sample configuration not found. using built in defaults setup es-es No se encontró una configuración de ejemplo. Usando los valores predefinidos.
save setup es-es Guardar
save this text as contents of your header.inc.php setup es-es Guardar este texto como contenido de su header.inc.php
schedule setup es-es planificar
scheduled backups setup es-es copias de seguridad planificadas
select an app, enter a target version, then submit to process to that version.<br />if you do not enter a version, only the baseline tables will be installed for the app.<br /><blink>this will drop all of the apps' tables first!</blink> setup es-es Seleccione una aplicación, introduzca una versión de destino y después pulse "Enviar" para procesar hasta esa versión.<br />Si no selecciona una versión, sólo se instalarán la tablas de la versión base de la aplicación.<br /><blink>¡ESTO ELIMINARÁ ANTES TODAS LAS TABLAS DE LAS APLICACIONES!</blink>
select one... setup es-es seleccionar uno...
select the default applications to which your users will have access setup es-es Seleccione las aplicaciones predeterminadas a las que tendrán acceso los usuarios
select the desired action(s) from the available choices setup es-es Seleccione las accion(es) deseadas de la lista de opciones disponibles
select to download file setup es-es Seleccione para descargar el fichero
select where you want to store/retrieve file contents setup es-es Seleccione dónde desea guardar/recuperar contenidos de ficheros
select where you want to store/retrieve filesystem information setup es-es Seleccione dónde quiere guardar/recuperar información del sistema de ficheros
select where you want to store/retrieve user accounts setup es-es Seleccione dónde quiere guardar/recuperar información de las cuentas de usuario
select which group(s) will be exported (group membership will be maintained) setup es-es Seleccione qué grupos se exportarán (se mantendrán las pertenencias del grupo)
select which group(s) will be imported (group membership will be maintained) setup es-es Seleccione qué grupos se importarán (se mantendrán las pertenencias del grupo)
select which group(s) will be modified (group membership will be maintained) setup es-es Seleccione qué grupos se modificarán (se mantendrán las pertenencias del grupo)
select which languages you would like to use setup es-es Seleccione qué idiomas prefiere usar
select which method of upgrade you would like to do setup es-es Seleccione qué método de actualización prefiere utilizar
select which type of authentication you are using setup es-es Seleccione el tipo de identificación que está usando
select which user(s) will also have admin privileges setup es-es Seleccione qué usuario(s) tendrán también privilegios de administrador
select which user(s) will be exported setup es-es Seleccione qué usuario(s) serán exportados
select which user(s) will be imported setup es-es Seleccione qué usuario(s) serán importados
select which user(s) will be modified setup es-es Seleccione qué usuario(s) serán modficados
select which user(s) will have admin privileges setup es-es Seleccione qué usuario(s) tendrán privilegios de administrador
select your old version setup es-es Seleccione su versión anterior
selectbox setup es-es Cuadro de selección
server root setup es-es Raíz del servidor
sessions type setup es-es Tipo de sesiones
set setup es-es establecer
set this to "old" for versions &lt; 2.4, otherwise the exact mcrypt version you use. setup es-es Ponga "old" para versiones anteriores a la 2.4.
setting the system-charset to utf-8 (unicode) allows the coexistens of data from languages of different charsets. setup es-es Poner el juego de caracteres del sistema en UTF-8 (unicode) permite coexistir datos de juegos de caracteres distintos.
settings setup es-es Configuración
setup setup es-es Instalación
setup demo accounts in ldap setup es-es Instalar cuentas de demostración en LDAP
setup main menu setup es-es Menú principal de la instalación
setup the database setup es-es Instalar la base de datos
setup/config admin login setup es-es Usuario administrador para Instalación/Configuración
show 'powered by' logo on setup es-es Mostrar el logo en
size setup es-es tamaño
skip the installation tests (not recommended) setup es-es Omitir las pruebas de instalación (no se recomienda)
smtp server hostname or ip address setup es-es Nombre del servidor SMTP o dirección IP
smtp server port setup es-es Puerto del servidor SMTP
some or all of its tables are missing setup es-es Algunas o todas de sus tablas no se encuentran
sql encryption type setup es-es Tipo de cifrado SQL para contraseñas (predeterminado - md5)
standard (login-name identical to egroupware user-name) setup es-es estándar (el usuario es idéntico al de eGroupWare)
standard mailserver settings (used for mail authentication too) setup es-es Configuración del servidor de correo estándar (también se usa para identificación de correo)
start the postmaster setup es-es Iniciar el postmaster
status setup es-es Estado
step %1 - admin account setup es-es Paso %1 - Cuentra de administración
step %1 - advanced application management setup es-es Paso %1 - Administración avanzada de aplicaciones
step %1 - configuration setup es-es Paso %1 - Configuración
step %1 - db backup and restore setup es-es Paso %1 - Copia de seguridad y restauración de la base de datos
step %1 - language management setup es-es Paso %1 - Administración de idiomas
step %1 - simple application management setup es-es Paso %1 - Administración simple de aplicaciones
succesfully uploaded file %1 setup es-es se subió correctamente el fichero %1
table change messages setup es-es Mensajes de cambios en las tablas
tables dropped setup es-es Las tablas han sido eliminadas
tables installed, unless there are errors printed above setup es-es Las tablas han sido instaladas, a no ser que haya errores impresos sobre estas líneas
tables upgraded setup es-es Las tablas han sido actualizadas
target version setup es-es Versión destino
tcp port number of database server setup es-es Número del puerto TCP del servidor de la base de datos
text entry setup es-es Entrada de texto
the %1 extension is needed, if you plan to use a %2 database. setup es-es La extensión %1 es necesaria si tiene previsto usar una base de datos %2.
the db_type in defaults (%1) is not supported on this server. using first supported type. setup es-es El tipo de base de datos en predeterminados (%1) no está soportado en este servidor. Usando el primer tipo soportado
the file setup es-es el fichero
the first step in installing egroupware is to ensure your environment has the necessary settings to correctly run the application. setup es-es El primer paso al instalar eGroupWare es asegurarse que el entorno tiene la configuración necesaria para ejecutar la aplicación correctamente.
the following applications need to be upgraded: setup es-es Las siguientes aplicaciones necesitan una actualización:
the imap extension is needed by the two email apps (even if you use email with pop3 as protocoll). setup es-es La extensión imap es necesaria para las dos aplicaciones de correo, incluso si usa pop3.
the mbstring extension is needed to fully support unicode (utf-8) or other multibyte-charsets. setup es-es La extensión mbstring es necesaria para el soporte total de unicode (utf-8) u otros juegos de caracteres multibyte.
the mbstring.func_overload = 7 is needed to fully support unicode (utf-8) or other multibyte-charsets. setup es-es El valor mbstring.func_overload = 7 es necesario para el soporte total de unicode (utf-8) u otros juegos de caracteres multibyte.
the session extension is needed to use php sessions (db-sessions work without). setup es-es La extensión de sesión es necesaria para usar sesiones php (las sesiones db funcionan sin ella).
the table definition was correct, and the tables were installed setup es-es La definición de la tabla era correcta, y se instalaron las tablas
the tables setup es-es las tablas
there was a problem trying to connect to your ldap server. <br /> setup es-es Hubo un problema intentando conectar al servidor LDAP.<br />
there was a problem trying to connect to your ldap server. <br />please check your ldap server configuration setup es-es Hubo un problema intentando conecar al servidor LDAP.<br />Por favor, compruebe la configuración del servidor LDAP
this has to be outside the webservers document-root!!! setup es-es ¡Tiene que estar fuera de la raíz de documentos del servidor web!
this might take a while, please wait ... setup es-es Esto puede tardar un poco. Por favor, espere...
this program lets you backup your database, schedule a backup or restore it. setup es-es Este programa permite hacer copia de seguridad de la base de datos, planificar una copia o restaurarla.
this program will convert your database to a new system-charset. setup es-es Este programa convertirá la base de datos a un nuevo juego de caracteres del sistema.
this program will help you upgrade or install different languages for egroupware setup es-es Este programa le ayudará a actualizar o instalar los distintos idiomas para eGroupWare
this section will help you export users and groups from egroupware's account tables into your ldap tree setup es-es Esta sección intentará exportar los usuarios y grupos de la cuenta de las tablas de eGroupWare en el árbol LDAP
this section will help you import users and groups from your ldap tree into egroupware's account tables setup es-es Esta sección le ayudará a importar usuarios y grupos del árbol LDAP en las tablas de las cuentas eGroupWare
this section will help you setup your ldap accounts for use with egroupware setup es-es Esta sección le ayudará a configurar sus cuentas LDAP para usar con eGroupWare
this should be around 30 bytes in length.<br />note: the default has been randomly generated. setup es-es Debe ser una cadena de unos 30 caracteres.<br />Nota: la predeterminada se ha generado aleatoriamente.
this stage is completed<br /> setup es-es Esta fase está completada<br />
to a version it does not know about setup es-es a una versión que no conoce
to allow password authentification add the following line to your pg_hba.conf (above all others) and restart postgres: setup es-es para permitir identificación por contraseña, añadir la línea siguiente al fichero pg_hba.conf (encima de las otras) Y reiniciar postgres:
to change the charset: back up your database, deinstall all applications and re-install the backup with "convert backup to charset selected" checked. setup es-es Para cambiar el juego de caracteres: haga una copia de seguridad de la base de datos, desinstale todas las aplicaciones y reinstale la copia de seguridad marcando la opción "convertir la copia de seguridad al juego de caracteres seleccionado".
to setup 1 admin account and 3 demo accounts. setup es-es Para configurar una cuenta de administrador y 3 de invitado
top setup es-es parte superior
translations added setup es-es Traducciones añadidas
translations removed setup es-es Traducciones eliminadas
translations upgraded setup es-es Traducciones actualizadas
true setup es-es Verdadero
try to configure your php to support one of the above mentioned dbms, or install egroupware by hand. setup es-es Intente configurar php para soportar uno de los mencionados SGBD, o instale eGroupWare a mano.
two weeks setup es-es dos semanas
unfortunally some php/apache packages have problems with it (apache dies and you cant login anymore). setup es-es Desafortunadamente, algunos paquetes de PHP/Apache tienen problemas con esto (Apache muere y ya no se puede iniciar la sesión).
uninstall setup es-es desinstalar
uninstall all applications setup es-es Desinstalar todas las aplicaciones
uninstalled setup es-es desinstalado
upgrade setup es-es Actualizar
upgrade all setup es-es Actualizar todo
upgraded setup es-es actualizado
upgrading tables setup es-es Actualizando tablas
upload backup setup es-es subir copia de seguridad
uploads a backup and installs it on your db setup es-es sube una copia de seguridad y la instala en la base de datos
uploads a backup to the backup-dir, from where you can restore it setup es-es sube una copia de seguridad al directorio de copias, desde donde se puede restaurar
use cookies to pass sessionid setup es-es Usar cookies para pasar el id de sesión
use pure html compliant code (not fully working yet) setup es-es Usar código compatible HTML puro (no funciona completamente todavía)
user account prefix setup es-es Prefijo de cuentas de usuario
user for smtp-authentication (leave it empty if no auth required) setup es-es Usuario para identificación SMTP (dejar en blanco si no se necesita)
usernames are casesensitive setup es-es Los nombres de usuario distinguen mayúsculas
users choice setup es-es A elegir por el usuario
utf-8 (unicode) setup es-es utf-8 (Unicode)
version setup es-es versión
version mismatch setup es-es Las versiones no coinciden
view setup es-es Ver
virtual mail manager (login-name includes domain) setup es-es Gestor de correo virtual (el nombre de usuario incluye el dominio)
warning! setup es-es ¡Aviso!
we can proceed setup es-es Podemos proceder
we will automatically update your tables/records to %1 setup es-es Actualizaremos automáticamente sus tablas/registros a %1
we will now run a series of tests, which may take a few minutes. click the link below to proceed. setup es-es Ahora se ejecutarán una serie de pruebas, que pueden durar unos pocos minutos. Pulse el enlace de debajo para proceder.
welcome to the egroupware installation setup es-es Bienvenido a la instalación de eGroupWare
what type of sessions management do you want to use (php session management may perform better)? setup es-es ¿Qué tipo de gestión de sesiones desea usar? (la gestión de sesiones PHP puede tener mejor rendimiento)
which database type do you want to use with egroupware? setup es-es ¿Qué tipo de base de datos quiere usar con eGroupWare?
world readable setup es-es lectura para todo el mundo
world writable setup es-es escritura para todo el mundo
would you like egroupware to cache the phpgw info array ? setup es-es Desea que eGroupWare guarde en caché el array de phpgw info?
would you like egroupware to check for a new version<br />when admins login ? setup es-es ¿Desea que eGroupWare compruebe si existe una versión nueva<br />cuando un administrador inicie la sesión?
would you like to show each application's upgrade status ? setup es-es ¿Desea mostrar el estado de la actualización de cada aplicación?
writable by the webserver setup es-es escritura para el servidor web
write config setup es-es Escribir configuración
year setup es-es año
yes setup es-es Sí
yes, with lowercase usernames setup es-es Sí, con los nombres de usuario en minúsculas
you appear to be running a pre-beta version of egroupware.<br />these versions are no longer supported, and there is no upgrade path for them in setup.<br /> you may wish to first upgrade to 0.9.10 (the last version to support pre-beta upgrades) <br />and then upgrade from there with the current version. setup es-es Parece que está ejecutando una versión pre-beta de eGroupWare.<br />Estas versiones ya no están soportadas, y no hay ruta de actualización para ellas en la instalación.<br />Puede que desee actualizar primero a la 0.9.10 (la última versión con soporte de actualizaciones pre-beta)<br />y luego actualizar desde ahí a la versión actual.
you appear to be running an old version of php <br />it its recommend that you upgrade to a new version. <br />older version of php might not run egroupware correctly, if at all. <br /><br />please upgrade to at least version %1 setup es-es Parece que está ejecutando una versión antigua de PHP<br />Se recomienda que actualice a una nueva versión.<br />Las versiones antiguas de PHP puede que no funcionen correctamente o ni siquiera funcionen en eGroupWare.<br /><br />Por favor, actualice al menos a la versión %1
you appear to be running version %1 of egroupware setup es-es Parece que está ejecutando la versión %1 de eGroupWare
you appear to be using php earlier than 4.1.0. egroupware now requires 4.1.0 or later setup es-es Parece que está usando una versión de PHP anterior a la 4.1.0. Necesita tener 4.1.0 o superior.
you appear to have %1 support. setup es-es Parece que tiene soporte para %1.
you appear to have php session support. enabling php sessions. setup es-es Parece que tiene soporte para sesiones PHP. Activando sesiones PHP.
you appear to have xml support enabled setup es-es Parece que tiene activado el soporte XML
you are ready for this stage, but this stage is not yet written.<br /> setup es-es Está listo para esta fase, pero esta fase aún no está escrita.<br />
you can install it by running: setup es-es Puede instalarlo ejecutando:
you didn't enter a config password for domain %1 setup es-es No ha introducido una contraseña de configuración para el dominio %1
you didn't enter a config username for domain %1 setup es-es No ha introducido un usuario de configuración para el dominio %1
you didn't enter a header admin password setup es-es No ha introducido una contraseña para administrar los encabezados
you didn't enter a header admin username setup es-es No ha introducido un nombre de usuario para administrar los encabezados
you do not have any languages installed. please install one now <br /> setup es-es No tiene ningún idioma instalado. Por favor, instale uno ahora
you have not created your header.inc.php yet!<br /> you can create it now. setup es-es ¡No ha creado todavía el fichero header.inc.php!<br />Puede crearlo ahora.
you have successfully logged out setup es-es Ha cerrado la sesión correctamente
you must enter a username for the admin setup es-es Debe introducir un nombre de usuario para el administrador
you need to add some domains to your header.inc.php. setup es-es Necesita añadir algunos dominios al fichero header.inc.php.
you need to select your current charset! setup es-es ¡Necesita seleccionar el juego de caracteres!
you should either uninstall and then reinstall it, or attempt manual repairs setup es-es Usted puede desinstalarla y volverla a instalar, o puede intentar una reparación manual
you will need to load the proper schema into your ldap server - see phpgwapi/doc/ldap/readme setup es-es Necesita cargar el esquema apropiado en su servidor ldap. Ver phpgwapi/doc/ldap/README
you're using an old configuration file format... setup es-es Está usando un fichero de configuración con formato antiguo
you're using an old header.inc.php version... setup es-es Está usando una versión antigua del header.inc.php
your applications are current setup es-es Sus aplicaciones están actualizadas
your backup directory '%1' %2 setup es-es Su directorio de copias '%1' %2
your database does not exist setup es-es Su base de datos no existe
your database is not working! setup es-es ¡Su base de datos no está funcionando!
your database is working, but you dont have any applications installed setup es-es Su base de datos está funcionando, pero no tiene aplicaciones instaladas
your egroupware api is current setup es-es La API de eGroupWare está actualizada
your files directory '%1' %2 setup es-es Su directorio de ficheros '%1' %2
your header admin password is not set. please set it now! setup es-es La contraseña de administrador de cabeceras no está configurada. Por favor, ponga una ahora.
your header.inc.php needs upgrading. setup es-es Su header.inc.php necesita actualización
your header.inc.php needs upgrading.<br /><blink><b class="msg">warning!</b></blink><br /><b>make backups!</b> setup es-es Su header.inc.php necesita actualización.<br /><blink><b class="msg">¡ATENCION!</b></blink><br /><b>¡HAGA COPIAS DE SEGURIDAD!</b>
your php installation does not have appropriate gd support. you need gd library version 1.8 or newer to see gantt charts in projects. setup es-es Su instalación de PHP no tiene el soporte apropiado de GD. Necesita la versión 1.8 de la librería gd o superior para ver diagramas de Gantt en los proyectos.
your tables are current setup es-es Sus tablas están actualizadas
your tables will be dropped and you will lose data setup es-es ¡¡Sus tablas serán eliminadas y usted perderá la información que hubiese en ellas!!
your temporary directory '%1' %2 setup es-es Su directorio temporal '%1' %2

470
setup/lang/phpgw_lv.lang Normal file
View File

@ -0,0 +1,470 @@
%1 does not exist !!! setup lv %1 neeksistē!!!
%1 is %2%3 !!! setup lv %1 ir %2%3 !!!
(searching accounts and changing passwords) setup lv (meklē kontus un maina paroles)
*** do not update your database via setup, as the update might be interrupted by the max_execution_time, which leaves your db in an unrecoverable state (your data is lost) !!! setup lv ***Iestatīšana neatjaunina tavu datubāzi, atjaunināšana var būt pārtraukta maksimālā_izpildāmā_laika dēļ, kas atstāj tavu DB neatgūstamajā stāvoklī(tavi dati pazaudēti)!!!
*** you have to do the changes manualy in your php.ini (usualy in /etc on linux) in order to get egw fully working !!! setup lv ***Lai eGroupWare strādatu pilnīgi, tev jāveic izmaiņas ar roku php.ini(parasti iekšā/piem., uz linux)
00 (disable) setup lv 00 (nav atļauts/ rekomendēts)
13 (ntp) setup lv 13 (ntp)
80 (http) setup lv 80 (http)
<b>charset to use</b> (use utf-8 if you plan to use languages with different charsets): setup lv <b>lietojamā rakstzīmju kopu</b>(izmanto utf-8, ja plāno izmantot valodas ar dažādām rakstzīmju kopām)
accounts existing setup lv Konti eksistē
actions setup lv Darbības
add a domain setup lv Pievienojiet domeinu
add auto-created users to this group ('default' will be attempted if this is empty.) setup lv Pievieno automātiski izveidotos lietotājus šai grupai (Tiks pielietots "Noklusējums", ja atstās tukšu )
additional settings setup lv Papildus iestatījumi
admin first name setup lv Aministratora vārds
admin last name setup lv Aministratora uzvārds
admin password setup lv Aministratora parole
admin password to header manager setup lv Aministratora parole augšējās izvēlnes administrēšanai
admin user for header manager setup lv Aministrators augšējās izvēlnes administrēšanai
admin username setup lv Aministratora lietotājvārds
admins setup lv Aministratori
all applications setup lv visas aplikācijas
all languages (incl. not listed ones) setup lv visas valodas
all users setup lv Visi lietotāji
allow authentication via cookie setup lv Atļauj autentifikāciju caur sīkdatni
allow password migration setup lv Atļauj paroles migrāciju
allowed migration types (comma-separated) setup lv Atļautie migrācijas tipi (atdalīti ar komatu)
analysis setup lv Analīzēšana
and reload your webserver, so the above changes take effect !!! setup lv UN pārstartējiet savu webserveri, lai izmaiņas stātos spēkā!!!
app details setup lv Aplikācijas info
app install/remove/upgrade setup lv Aplikāciju instalēšana/dzēšana/uzlabošana
app process setup lv Aplikācijas process
application data setup lv Aplikācijas dati
application list setup lv Programmatūras saraksts
application management setup lv Programmatūras menedžments
application name and status setup lv Programmatūras nosaukums un statuss
application name and status information setup lv Programmatūras nosaukums un statusa informācija
application title setup lv Aplikācijas nosaukums/virsraksts(title)
application: %1, file: %2, line: "%3" setup lv Aplikācija:%1, Datne:%2, Līnija: "3"
are you sure you want to delete your existing tables and data? setup lv Esi parliecināts, ka vēlies dzēst esošās tabulas un datus?
are you sure? setup lv VAI ESAT PĀRLIECINĀTS?
at your request, this script is going to attempt to create the database and assign the db user rights to it setup lv Pēc tava pieprasījuma, skripts mēgina izveidot datubāzi un piešķir db lietotājam tiesības
at your request, this script is going to attempt to install a previous backup setup lv Pēc tava pieprasījuma, skripts mēģinās iestatīt iepriekšējo dublējumu
at your request, this script is going to attempt to install the core tables and the admin and preferences applications for you setup lv Pēc tava pieprasījuma, skripts mēģina instalēt pamattabulas un administratora un izvēles aplikācijas
at your request, this script is going to attempt to upgrade your old applications to the current versions setup lv Pēc tava pieparsījuma, skripts mēģina atjaunināt tavu veco programmatūru uz jaunakajām versijām
at your request, this script is going to attempt to upgrade your old tables to the new format setup lv Pēc tava pieprasījuma, šis skripts mēģina atjaunināt vecās tabulas jaunajā formātā
at your request, this script is going to take the evil action of deleting your existing tables and re-creating them in the new format setup lv Pēc tava pieprasījuma, šis skripts sāk dzēst eksistējošās tabulas un pārveidot tās jaunajā formātā
at your request, this script is going to take the evil action of uninstalling all your apps, which deletes your existing tables and data setup lv Pēc tava pieprasījuma, šis skripts sāk atinstalēt visu tavu programmatūru, kas dzēš eksistējošas tabulas un datus.
authentication / accounts setup lv Autentifikācija/konti
auto create account records for authenticated users setup lv Automātiski veido konta ierakstus autentificētiem lietotājiem
auto-created user accounts expire setup lv Automātiski izveidoto lietotāju kontu derīguma termiņš beidzas
available version setup lv Pieejamā versija
back to the previous screen setup lv Atpakaļ uz iepriekšējo logu
back to user login setup lv Atpakaļ uz lietotāja pieteikšanos
backup '%1' deleted setup lv dublējums "%1"izdzēsts
backup '%1' renamed to '%2' setup lv dublējums "%1" pārsaukts par "%2"
backup '%1' restored setup lv dublējums "%1" atjaunots
backup and restore setup lv dublēt un atjaunot
backup failed setup lv Dublēšana neizdevās
backup finished setup lv dublēšana pabeigta
backup now setup lv dublēt tagad
backup started, this might take a few minutes ... setup lv dublēšana sākusies, tas var aizņemt dažas minūtes...
because it depends upon setup lv tāpēc tas atgarīgs no
because it was manually disabled setup lv tāpēc tas tika manuāli aizliegts
because of a failed upgrade or install setup lv tāpec, ka bija neveiksmīga atjaunināšana vai instalēšana
because of a failed upgrade, or the database is newer than the installed version of this app setup lv tāpēc, ka bija neveiksmīga atjaunināšana vai datubāze ir jaunāka nekā instalētā šīs programmatūras versija
bottom setup lv apakšā
cancel setup lv Atcelt
change system-charset setup lv Mainīt sistēmas rakstzīmju kopa
charset setup lv utf-8
charset to convert to setup lv Rakstīmju kopa pārveidota uz
check installation setup lv Pārbaudīt installāciju
check ip address of all sessions setup lv pārbaudīt IP adresi visām sesijām
checking extension %1 is loaded or loadable setup lv Pārbauda attiecināšanu %1 ir ielādēta vai ielādējama
checking file-permissions of %1 for %2 %3: %4 setup lv Pārbauda faila atļaujas no %1 priekš %2%3:%4
checking for gd support... setup lv Pārbauda GD atbalstu...
checking pear%1 is installed setup lv Pārbauda vai PEAR %1 ir iestatīts
checking php.ini setup lv Pārbauda php.ini
checking the egroupware installation setup lv Parbauda eGroupWare instalāciju
click <a href="index.php">here</a> to return to setup. setup lv Noklikšķini <a href="index.php">šeit</a> lai atgrieztos uz iestatīšanu
click here setup lv Noklikšķini šeit
click here to re-run the installation tests setup lv Noklikšķini šeit, lai palaistu vēlreiz instalēšanas pārbaudes
completed setup lv Pabeigts
config password setup lv Konfigurēt paroli
config username setup lv Konfigurēt lietotājvārdu
configuration setup lv Konfigurēšana
configuration completed setup lv Konfigurēšana pabeigta
configuration password setup lv Konfigurēšanas parole
configuration user setup lv Konfigurēšanas lietotājs
configure now setup lv Konfigurēt tagad
confirm to delete this backup? setup lv Apstiprināt šī dublējuma dzēšanu?
contain setup lv satur
continue setup lv Turpināt
continue to the header admin setup lv Turpināt ar galvenes administratoru
convert setup lv Konvertēt
could not open header.inc.php for writing! setup lv Nevar atvērt header.inc.php rakstīšanai
country selection setup lv Valsts Izvēle
create setup lv Izveidot
create a backup before upgrading the db setup lv izveidot dublējumu pirms DB atjaunināšanas
create admin account setup lv Izveidot admnistratora kontu
create database setup lv Izveidot datubāzi
create demo accounts setup lv Izveidot demo kontus
create one now setup lv Izveidot tagad vienu
create the empty database - setup lv Izveidot tukšu datubāzi
create the empty database and grant user permissions - setup lv Izveidot tukšu datubāzi un piešķirt lietotāja atļaujas
create your header.inc.php setup lv Izveidot tavu header.inc.php
created setup lv izveidots
created header.inc.php! setup lv Izveidots header.inc.php!
creating tables setup lv Veido tabulas
current system-charset setup lv Patreizēja sistēmas rakstzīmju kopa
current system-charset is %1, click %2here%3 to change it. setup lv Patreizējā sistēmas rakstzīmju kopa ir %1, noklikšķini%2 šeit%3, lai to mainītu
current version setup lv Patreizējā versija
currently installed languages: %1 <br /> setup lv Pašlaikt iestatītās valodas: %1<br/>
database successfully converted from '%1' to '%2' setup lv Datubāze veiksmīgi konvertēta no "%1" uz "%2"
day setup lv diena
day of week<br />(0-6, 0=sunday) setup lv nedēļas diena<br/>(0-6,0=svētdiena)
db backup and restore setup lv DV dublējums un atjaunināšana
db host setup lv DB hosts
db name setup lv DB nosaukums
db password setup lv DB parole
db port setup lv DB ports
db root password setup lv DB saknes parole
db root username setup lv DB saknes lietotājvārds
db type setup lv DB tips
db user setup lv D lietotājs
default file system space per user/group ? setup lv Noklusētā disku apjoma vērtība lietotājam/grupai?
delete setup lv Dzēst
delete all existing sql accounts, groups, acls and preferences (normally not necessary)? setup lv Dzēst esošos SQL kontus, grupas, ACL un izvēles(parasti nav nepieciešams)?
delete all my tables and data setup lv Dzēst visas manas tabulas un datus
delete all old languages and install new ones setup lv Dzēst visas vecās valodas un instalēt jaunas?
deleting tables setup lv Dzēš tabulas
demo server setup setup lv Demo servera iestatīšana
deny access setup lv Liegt pieeju
deny all users access to grant other users access to their entries ? setup lv Liegt visu lietotāju pieeju atļaut citiem lietotajiem piekļūt viņū ierakstiem?
dependency failure setup lv Atkarības neizdošanās
deregistered setup lv atreģistrēts
details for admin account setup lv Administratora konta info
did not find any valid db support! setup lv Neatrada nevienu derīgu DB atbalstu!
do you want persistent connections (higher performance, but consumes more resources) setup lv Vai vēlies pastāvīgus pieslēgumus (augstāks sniegums, bet izlieto vairāk resursu)
do you want to manage homedirectory and loginshell attributes? setup lv Vai tu vēlies pārvaldīt mājasdirektoriju un pieteikuma loga atribūtus?
does not exist setup lv neeksistē
domain setup lv Domēns
domain name setup lv Domēna nosaukums
domain select box on login setup lv Domēna izvēles rūtiņa pie pieteikšanās
dont touch my data setup lv Neaiztiec manusdatus!
download setup lv Lejupielādēt
edit current configuration setup lv Rediģēt esošo konfigurāciju
edit your existing header.inc.php setup lv Rediģēt esošo header.inc.php
edit your header.inc.php setup lv Rediģēt tavu header.inc.php
egroupware administration manual setup lv eGroupWare administrēšanas rokasgrāmata
enable for extra debug-messages setup lv atļauts ekstra atkļūdošanas ziņojumiem
enable ldap version 3 setup lv Atļauta LDAP versija 3
enable mcrypt setup lv Atļaut MCrypt
enter some random text for app session encryption setup lv Ievadi brīvi izvēlētu tekstu aplikāciju sesijas šifrēšanai
enter the full path to the backup directory.<br />if empty: files directory setup lv Ievadi pilno ceļu uz dublējuma direktoriju.<br/>ja tukšs: failu direktoriju
enter the hostname of the machine on which this server is running setup lv Ievadi servera hostdatora vārdu
enter the location of egroupware's url.<br />example: http://www.domain.com/egroupware &nbsp; or &nbsp; /egroupware<br /><b>no trailing slash</b> setup lv Ievadi eGroupWare URL atrašanos.<br/>Piemērams:http://www.domain.com/egroupware vai /egroupware<br /><b>Bez slīpsvītras</b>
enter the site password for peer servers setup lv Ievadi vietnes paroli vienādranga serveriem
enter the site username for peer servers setup lv Ievadi vietnes lietotājvārdu vienādranga serveriem
enter the title for your site setup lv Ievadi savas vietnes nosaukumu
enter your default ftp server setup lv Ievadi noklusēto FTP serveri
enter your http proxy server setup lv Ievadi savu HTTP proxy serveri
enter your http proxy server password setup lv Ievadi sava HTTP proxy servera paroli
enter your http proxy server port setup lv Ievadi savu HTTP proxy servera portu
enter your http proxy server username setup lv Ievadi sava HTTP proxy servera lietotājvārdu
error in admin-creation !!! setup lv Kļūda veidojot administratoru!!!
error in group-creation !!! setup lv Kļūda veidojot grupu!!!
export egroupware accounts from sql to ldap setup lv Eksportēt eGroupWare kontus no SQL uz LDAP
export has been completed! you will need to set the user passwords manually. setup lv Ekspotēšana tika pabeigta! Teb jāuzzstāda lietotāju paroles
export sql users to ldap setup lv Eksportēt SQL lietotājus uz LDAP
false setup lv Nepatiess
file setup lv Datne
file type, size, version, etc. setup lv datnes tips, izmērs, versija utt.
file uploads are switched off: you can not use any of the filemanagers, nor can you attach files in several applications! setup lv Datņu ielādes ir izslēgtas: Tu nevari izmantot datņu pārvaldnieku, kā arī nevari pievienot failus savās aplikācijās
filename setup lv faila nosaukums
for a new install, select import. to convert existing sql accounts to ldap, select export setup lv Jaunai instalācijai, atzīmē importet,. Lai konvertētu eksistējošus SQL kontus uz LDAP, atzīmē eksportēt
found existing configuration file. loading settings from the file... setup lv Atrada eksistējošu konfigurēšanas datni. Ielādē uzstādījumus no datnes...
go back setup lv Atgriezties
go to setup lv Iet uz
grant access setup lv Atļaut Piekļuvi
has a version mismatch setup lv versiju nesadreība
header admin login setup lv Galvenes administratora pieteikums
header password setup lv Galvenes parole
header username setup lv Galvenes lietotājvārds
historylog removed setup lv Vēstures logs pārvietots
hooks registered setup lv reģistrēta aizķere
host information setup lv Host informācija
host/ip domain controler setup lv Hosta/Ip domēna kontrolieris
hostname/ip of database server setup lv Datubāzes zrvera hostvārds/IP
hour (0-24) setup lv stundas (0-24)
however, the application may still work setup lv Kaut gan aplikācija joprojām var strādāt
if no acl records for user or any group the user is a member of setup lv Ja nav ACL ierakstu lietotājam vai kādai grupai, lietotājs pieder
if using ads (active directory) authentication setup lv Ja lieto ADS (aktīvā direktorija) autentifikāciju
if using ldap setup lv Ja lieto LDAP
if using ldap, do you want to manage homedirectory and loginshell attributes? setup lv Ja lieto LDAP, vai vēlies pārvaldīt mājasdirektoriju un pieteikuma ailes atribūtus?
if using mail authentication setup lv Ja lieto Pasta autentifikāciju
if you did not receive any errors, your applications have been setup lv Ja nesaņēmi kļūdu paziņojumus, tava aplikācija ir
if you did not receive any errors, your tables have been setup lv Ja nesaņēmi kļūdu paziņojumus,tavas tabulas ir
if you running this the first time, don't forget to manualy %1 !!! setup lv Ja lieto pirmo reizi, neaizmirsti manuāli %1!!!
if you use only languages of the same charset (eg. western european ones) you dont need to set a system-charset! setup lv Ja lieto valodu no tādas pašas rakstzīmju kopas(piem.,rietumu eiropas), tev nav jāuzstāda sistēmas rakstzīmju kopa
image type selection order setup lv Attēlu tipu izvēles kartība
import accounts from ldap to the egroupware accounts table (for a new install using sql accounts) setup lv Importēt kontus no LDAP uz eGroupWare kontu tabulu (jaunai instalēšanai lieto SQL kontus)
import has been completed! setup lv Importēšana pabeigta
import ldap users/groups setup lv Importēt LDAP lietotājus/grupas
importing old settings into the new format.... setup lv Importē vecos uzstādījumus jaunajā formātā...
install setup lv Instalēt
install all setup lv Instalēt visu
install applications setup lv Instalēt programmatūru
install backup setup lv iestatīt dublējumu
install language setup lv Instalēt valodu
installed setup lv instalēts
instructions for creating the database in %1: setup lv Norādījiumi veidojot datubāzi %1
invalid ip address setup lv Nederīga IP adrese
invalid password setup lv Nederīga parole
is broken setup lv bojāts
is disabled setup lv nav atļauts
is in the webservers docroot setup lv tīmekļa servera saknes dokumentā
ldap account import/export setup lv LDAP konta imports/eksports
ldap accounts configuration setup lv LDAP kontu konfigurēšana
ldap accounts context setup lv LDAP kontu konteksts
ldap config setup lv LDAP konfigurēšana
ldap default homedirectory prefix (e.g. /home for /home/username) setup lv LDAP noklusējuma mājasdirektorijas prefikss(piem., /home for/home/username)
ldap default shell (e.g. /bin/bash) setup lv LDAP noklusēta aile (piem./bin/bash)
ldap encryption type setup lv LDAP šifrēšanas tips
ldap export setup lv LDAP eksportēt
ldap export users setup lv LDAP eksportēt lietototājus
ldap groups context setup lv LDAP grupu konteksts
ldap host setup lv LDAP hosts
ldap import setup lv LDAP importēt
ldap import users setup lv LDAP importēt lietotājus
ldap modify setup lv LDAP modificē
ldap root password setup lv LDAP saknes parole
ldap rootdn setup lv LDAP saknesdn
ldap search filter for accounts, default: "(uid=%user)", %domain=egw-domain setup lv LDAP meklēšanas filtrs kontiem, noklusējums:"(uid=%lietotājs)",%domēns=eGW-domēns
login to mysql - setup lv Pieteikties msql -
logout setup lv Iziet
mail domain (for virtual mail manager) setup lv Pasta domēns (Virtuālajam pasta pārvaldniekam)
mail server login type setup lv Pasta servera pieteikšanās tips
mail server protocol setup lv Pasta servera protokols
make sure that your database is created and the account permissions are set setup lv Pārliecinies, ka datubāze ir izveidota un konta atļaujas uzstādītas
manage applications setup lv Pārvaldīt programmatūru
manage languages setup lv Pārvaldīt valodas
maximum account id (e.g. 65535 or 1000000) setup lv Maksimālais kontu ID (piem.65535 vai 1000000)
may be broken setup lv varētu būt salauzts
mcrypt algorithm (default tripledes) setup lv Mcrypt algoritms (noklusējums TRIPLEDES)
mcrypt initialization vector setup lv MCrypt inicializācijas vektors
mcrypt mode (default cbc) setup lv Mcrypt režīms (noklusētais CBC)
mcrypt settings (requires mcrypt php extension) setup lv Mcrypt uzstādījumi (pieprasa mcrypt PHP attiecināšana )
mcrypt version setup lv MCrypt versija
minimum account id (e.g. 500 or 100, etc.) setup lv Minimālais kontu id (piem.500vai 100)
minute setup lv minūte
modifications have been completed! setup lv Modifikācijas pabeigtas!
modify setup lv Modificēt
month setup lv mēnesis
multi-language support setup setup lv Daudzvalodu atbalsta iestatīšana
name of database setup lv Datubāzes nosaukums
name of db user egroupware uses to connect setup lv DB lietotāja vārds, ko eGroupWare lieto, lai pieslēgtos
never setup lv nekad
new setup lv Jauns
next run setup lv nākošais gājiens
no setup lv Nē
no %1 support found. disabling setup lv nav atrasts atbalsts %1. Neatļauj
no accounts existing setup lv Konti neeksistē
no algorithms available setup lv Nav pieejamu algoritmu
no modes available setup lv Nav pieejamu režīmu
no xml support found. disabling setup lv Nav atrasts XML atbalsts. NEļauj
not setup lv ne
not complete setup lv nav pabeigts
not completed setup lv Nav pabeigts
not ready for this stage yet setup lv Vēl nav gatavs šim posmam
not set setup lv nav uzstādīts
note: you will be able to customize this later setup lv Piezīme: Tu varēsi izpildīt to vēlāk
now guessing better values for defaults... setup lv Tagad meklē atbilstošākas vērtības noklusējumiem
ok setup lv OK
one month setup lv viens mēnesis
one week setup lv viena nedēļa
only add languages that are not in the database already setup lv Pievieno tikai tās valodas, kuras nav datubāzē
only add new phrases setup lv Pievieno tikai jaunas frāzes
or setup lv vai
or %1continue to the header admin%2 setup lv vai %1Turpināt ar Galvenes administratoru
or http://webdav.domain.com (webdav) setup lv vai http://webdav.domain.com (WebDAV)
or we can attempt to create the database for you: setup lv Vai arī mēs varam mēģināt izveidot tev datubāzi:
or you can install a previous backup. setup lv Vai arī tu vari iestatīt iepriekšējo dublējumu
password needed for configuration setup lv Konfigurēšanai nepieciešama parole
password of db user setup lv DB lietotāja parole
passwords did not match, please re-enter setup lv Paroles nesakrīt, lūdzu ievadi vēlreiz
path information setup lv Ceļa informācija
pear::log is needed by syncml. setup lv PEAR:: Logs nepieciešams SyncML
persistent connections setup lv Pastāvīgs pieslēgums
php plus restore setup lv PHP plus atjaunošana
please check for sql scripts within the application's directory setup lv Lūdzu pārbaudi sql skriptus aplikāciju direktorijā
please check read/write permissions on directories, or back up and use another option. setup lv Lūdzu pārbaudi lasīšanas/rakstīšanas atļaujas direktorijās, vai izveido dublikātu un lieto citu iespēju
please configure egroupware for your environment setup lv Lūdzu konfigurē eGroupWare savai videi
please consult the %1. setup lv Lūdzu konsultējies ar %1
please fix the above errors (%1) and warnings(%2) setup lv Lūdzu piefiksē kļūdas (%1) un brīdinajumus(%2)
please install setup lv Lūdzu instalē
please login setup lv Lūdzu piesakies
please login to egroupware and run the admin application for additional site configuration setup lv Lūdzu piesakies eGroupWare un palaid administratora programmatūru papildus vietnes konfigurēšanai
please make the following change in your php.ini setup lv Lūdzu izdari sekojošas izmaiņas savā php.ini
please wait... setup lv Lūdzu uzgaidi...
pop/imap mail server hostname or ip address setup lv POP.IMAP pasta servera hosta vārds vai IP adrese
possible reasons setup lv Iespējamie iemesli
possible solutions setup lv Iespējamie iemesli
potential problem setup lv Potenciālās problēmas
preferences setup lv Iestatījumi
problem resolution setup lv Problemas risinājums
process setup lv Process
re-check my database setup lv Pārbaudu vēlreiz manu datubāzi
re-check my installation setup lv Pārbaudi vēlreiz manas instalācijas
re-enter password setup lv Ievadi vēlreiz paroli
read translations from setup lv Lasīt tulkojumu no
readable by the webserver setup lv tīmekļa serveris vai izlasīt
really uninstall all applications setup lv TIEŠĀM atinstalēt visas aplikācijas
recommended: filesystem setup lv Rekomedēts: Datņu sistēma
registered setup lv reģistrēts
rejected lines setup lv Nederīgās līnijas
remove setup lv Pārvietot
remove all setup lv Pārvietot visu
rename setup lv Pārsaukt
requires reinstall or manual repair setup lv Pieprasa atinstalēt vai manuāli salabot
requires upgrade setup lv Pieprasa jauninajumus
resolve setup lv Atrisināt
restore setup lv atjaunot
restore failed setup lv Atjaunošana neizdevās
restore finished setup lv atjaunošana pabeigta
return to setup setup lv Atgriezties uz iestatīšanu
run installation tests setup lv Palaist instalēšanas testus
safe_mode is turned on, which is generaly a good thing as it makes your install more secure. setup lv drošais režīms ir ieslēgts, kas padara tavu instalēšanu vairāk drošu
sample configuration not found. using built in defaults setup lv Parauga konfigurācija neika atrasta. Lieto iebūvēto noklusējumā
save setup lv Saglabāt
save this text as contents of your header.inc.php setup lv Saglabāt šo tekstu kā galvenes.inc.php saturu
schedule setup lv grafiks
select one... setup lv atzīmē vienu
select the default applications to which your users will have access setup lv Atzīmē noklusētās aplikācijas, kuras būs pieejamas lietotājiem
select the desired action(s) from the available choices setup lv Atzīmē vēlamās darbības no pieejamām izvēlēm
select to download file setup lv Atzīmē, lai lejupielādētu datni
select where you want to store/retrieve file contents setup lv Atzīmē, kur tu gribi uzglabāt/atjaunot datnes saturu
select where you want to store/retrieve filesystem information setup lv Atzīmē, kur tu vēlies uzglabāt/atjaunot datņu sistēmas informāciju
select where you want to store/retrieve user accounts setup lv Atzīmē, kur tu vēlies uzglabāt/atjaunot lietotāju kontus
select which group(s) will be exported (group membership will be maintained) setup lv Atzīmē, kura(s) grupa(s) tiks eksportēta(s)(grupu piederība tiks saglabata)
select which group(s) will be imported (group membership will be maintained) setup lv Atzīmē, kura(s) grupa(s)tiks importēta(s)(grupu piederība tiks saglabāta)
select which group(s) will be modified (group membership will be maintained) setup lv Atzīmē, kura(s) grupa(s) tiks pārveidota(s)(grupu piederība tiks saglabāta)
select which languages you would like to use setup lv Atzīmē, kuras valodas tu vēlētos lietot
select which method of upgrade you would like to do setup lv Atzīmē, kuru metodi vai jauninājumu tu vēlētos pielietot
select which type of authentication you are using setup lv Atzīmē, kuru autentifikācijas tipu tu lieto
select which user(s) will also have admin privileges setup lv Atzīmē, kuram(iem) lietotājam(iem) vēl ir administratora privilēģijas
select which user(s) will be exported setup lv Atzīmē, kurš(i) lietotājs(i) tiks eksportēts(i)
select which user(s) will be imported setup lv Atzīmē, kurš(i) lietotājs(i) tiks importēts(i)
select which user(s) will be modified setup lv Atzīmē, kurš(i) lietotājs(i) tiks pārveidots(i)
select which user(s) will have admin privileges setup lv Atzīmē, kuram(iem) lietotājam(iem) būs administratora privilēģijas
select your old version setup lv Atzīmē savu veco versiju
selectbox setup lv Izvēlne (selectbox)
server root setup lv Servera superlietotājs
sessions type setup lv Sesijas tips
set setup lv uzstādīt
settings setup lv Uzstādījumi
setup setup lv Iestatīšana
setup demo accounts in ldap setup lv Iestatīt demo kontus LDAP
setup main menu setup lv Iestatīšanas galvenā izvēlne
setup the database setup lv Iestatīt datubāzi
setup/config admin login setup lv Iestatīt/konfigurēt administratora pieteikšanos
show 'powered by' logo on setup lv Rādīt " powered by" logu
size setup lv izmērs
some or all of its tables are missing setup lv Trūkst dažas vai visas tabulas
sql encryption type setup lv SQL šifrēšanas tips parolei (noklusētais-md5)
start the postmaster setup lv Sākt pasta pārzini
status setup lv Stāvoklis
step %1 - admin account setup lv Solis%1- administratora konts
step %1 - advanced application management setup lv Solis%1- Uzlabots aplikāciju pārvaldība
step %1 - configuration setup lv Solis%1- konfigurēšana
step %1 - db backup and restore setup lv Solis %1- DB dublējums un atjaunošana
step %1 - language management setup lv Solis%1- Valodas pārvaldība
step %1 - simple application management setup lv Solis%1- Vienkāršu aplikāciju pārvaldība
succesfully uploaded file %1 setup lv Veiksmīgi ielādēja failu %1
table change messages setup lv Tabulas maiņas ziņojumi
tables dropped setup lv tabulas pārtrauktas
tables installed, unless there are errors printed above setup lv tabulas uzinstalētas, kaut arī ir norādītās kļūdas
tables upgraded setup lv tabulas atjauninātas
target version setup lv Mērķa versija
tcp port number of database server setup lv datubāzes servera TCP porta numurs
text entry setup lv Teksta ievadīšana
the %1 extension is needed, if you plan to use a %2 database. setup lv Ja domā lietot %2 datubāzi, nepieciešami paplašinajumi%1
the file setup lv datne
the first step in installing egroupware is to ensure your environment has the necessary settings to correctly run the application. setup lv Pirmais solis, instalējot eGroupWare, ir pārliecināties, ka tavai videi ir neppieciešamie uzstādījumi, lai programmatūra darbotos pareizi
the following applications need to be upgraded: setup lv Nepieciešams atjaunināt sekojošas aplikācijas:
the mbstring.func_overload = 7 is needed to fully support unicode (utf-8) or other multibyte-charsets. setup lv mbstring.func_overload = 7 nepieciešams pilnīgs unikoda(utf-8) vai citas daudzbaitu rakstzīmju kopas atbalsts
the table definition was correct, and the tables were installed setup lv Tabulas nosacījumi bija pareizi, un tabulas tika uzinstalētas
the tables setup lv tabulas
there was a problem trying to connect to your ldap server. <br /> setup lv Problēma pieslēdzoties tavam LDAP serverim. <br/>
there was a problem trying to connect to your ldap server. <br />please check your ldap server configuration setup lv Problēma pieslēdzoties tavam LDAP serverim.<br/>lūdzu pārbaudi LDAP servera konfigurāciju
this has to be outside the webservers document-root!!! setup lv Tam jābūt ārpus tīmekļa servera saknes dokumenta!!!
this might take a while, please wait ... setup lv Tas var aizņemt kādu brīdi, lūdzu uzgaidīt
this program lets you backup your database, schedule a backup or restore it. setup lv Šī programma ļauj tev dublēt tavu datubāzi, sastādīt dublējuma sarakstu vai atjaunot to.
this program will convert your database to a new system-charset. setup lv Programma konvertēs tavu datubāzi jaunajā sistēmas rakstzīmju kopā
this program will help you upgrade or install different languages for egroupware setup lv Šī programma palīdzēs tev atjaunināt vai uzinstalēt dažādas valodas eGroupWare
to setup 1 admin account and 3 demo accounts. setup lv iestatīt 1 administratora kontu un 3 demo kontus
top setup lv augšā
translations added setup lv Tulkojumi pievienoti
translations removed setup lv Tulkojumi pārvietoti
translations upgraded setup lv Tulkojumi atjaunināti
true setup lv Patiess
try to configure your php to support one of the above mentioned dbms, or install egroupware by hand. setup lv Mēģini konfigurēt savu php, lai atbalstītu vienu no minētajiem DBMS, vai instalē eGroupWare
two weeks setup lv divas nedēļas
uninstall setup lv atinstalēt
uninstall all applications setup lv Atinstalēt programmatūru
uninstalled setup lv Atinstalēts
upgrade setup lv Atjaunināt
upgrade all setup lv Atjaunināt visu
upgraded setup lv atjauninats
upgrading tables setup lv Atjaunināmas tabulas
upload backup setup lv augšupielādēdublējumu
uploads a backup and installs it on your db setup lv augšupielādē dublējumu un iestata to tavā DB
use cookies to pass sessionid setup lv Lieto sīkdatnes lai pārietu sesijasid
use pure html compliant code (not fully working yet) setup lv Lieto HTML pieļāvīgu kodu(kurš vēl pilnībā nestrādā)
user account prefix setup lv Lietotāja konta prefikss
usernames are casesensitive setup lv Lietotājvardi ir reģistrjūtīgi
users choice setup lv LIetotāju izvēle
utf-8 (unicode) setup lv utf-8(Unicode)
version setup lv versija
version mismatch setup lv Versija neatbilst
view setup lv Rādīt
virtual mail manager (login-name includes domain) setup lv Virtuālais pastapārvaldnieks (pieteikšanās vārds iekļauj domēnu)
warning! setup lv Brīdinājums!
we can proceed setup lv Mēs varam turpināt
we will automatically update your tables/records to %1 setup lv Mēs automatiski atjauninām tavu tabulu/ierakstus uz %1
we will now run a series of tests, which may take a few minutes. click the link below to proceed. setup lv Mēs palaidīsim dažus testus, kas var prasīt dažas minūtes laika. Noklikšķini uz saites, lai turpinātu
welcome to the egroupware installation setup lv Laipni lūdzam eGroupWare instalēšanā
what type of sessions management do you want to use (php session management may perform better)? setup lv Kāda tipa sesijas pārvaldību tu vēlies izmantot (PHP sesiju pārvaldība varētu atbilst labāk) ?
which database type do you want to use with egroupware? setup lv Kadu datubāzes tipu tu vēlies lietot eGroupWare?
world readable setup lv pasaulē lasāms
world writable setup lv pasaulē rakstāms
would you like egroupware to cache the phpgw info array ? setup lv Vai vēlies, lai eGroupWare saglaba kešatmiņā phpgw informācijas masīvu?
would you like egroupware to check for a new version<br />when admins login ? setup lv Vai vēlies, lai eGroupWare pārbauda jauno versiju<br/> kad administrators piesakās?
would you like to show each application's upgrade status ? setup lv Vai vēlies, lai tiktu parādīts katras aplikācijas atjaunināsanās stāvoklis?
writable by the webserver setup lv rakstāms tīmekļa serverī
write config setup lv Rakstīšanas konfigurēšana
year setup lv gads
yes setup lv Jā
yes, with lowercase usernames setup lv Jā, lietotājvārdi ar maziem burtiem
you appear to be running version %1 of egroupware setup lv Tu palaid eGroupWare versiju %1
you appear to be using php earlier than 4.1.0. egroupware now requires 4.1.0 or later setup lv Tu lieto PHP vecāku kā4.1.0. eGroupWare tagad pieprasa 4.1.0. vai jaunāku
you appear to have %1 support. setup lv Tev atļauts %1 atbalsts
you appear to have php session support. enabling php sessions. setup lv Tev atļauts PHP sesiju atbalsts. Atļauj PHP sesijas.
you appear to have xml support enabled setup lv Tev ir atļauts XML atbalsts
you didn't enter a config password for domain %1 setup lv Tu neesi ievadījis konfigurēšanas paroli domēnam %1
you didn't enter a config username for domain %1 setup lv Tu neesi ievadījis konfigurēšanas lietotājvārdu domēnam%1
you didn't enter a header admin password setup lv Tu neesi ievadījis galvenes administratora paroli
you didn't enter a header admin username setup lv Tu neesi ievadījis galvenes administratora lietotājvārdu
you do not have any languages installed. please install one now <br /> setup lv Tev nav iestatītas valodas. Lūdzu iestati tagad vismaz vienu<br/>
you have not created your header.inc.php yet!<br /> you can create it now. setup lv Tev vēl nav izveidots header.inc.php <br/> Tu vari to izveidot tagad
you have successfully logged out setup lv Jūs veiksmīgi beidzāt darbu
you must enter a username for the admin setup lv Tev jāievada lietotajvārds administratoram
you need to add some domains to your header.inc.php. setup lv Tev jāpievieno daži domēni tavam header,php.inc.php
you need to select your current charset! setup lv Tev jāatzīmē pašreizējā rakstzīmju kopa!
you should either uninstall and then reinstall it, or attempt manual repairs setup lv Tev tas vai nu jaatinstale, vai jāpārinstalē, vai arī manuāli jāsalabo
you will need to load the proper schema into your ldap server - see phpgwapi/doc/ldap/readme setup lv Tev jāielādē atribūtu shēma tavā LDAP serverī-skatīt <a href="../phpgwapi/doc/ldap/README" target="_blank">phpgwapi/doc/ldap/README</a>
you're using an old configuration file format... setup lv Tu lieto veco konfigurēšanas datnes formātu...
you're using an old header.inc.php version... setup lv Tu lieto veco header.inc.php versiju...
your applications are current setup lv Tavas patreizējās aplikacijas
your backup directory '%1' %2 setup lv Tavs dublējuma direktorijs "%1" %2
your database does not exist setup lv Tava datubāze neeksistē
your database is not working! setup lv Tava datubāze nedarbojas!
your database is working, but you dont have any applications installed setup lv Tava datubāze darbojas, bet nav uzinstalētas aplikācijas
your files directory '%1' %2 setup lv Tavs failu direktorijs "%1"%2
your header admin password is not set. please set it now! setup lv Tava galvenes administratora parole nav uzstādīta. Lūdzu uzstādi to tagad!
your header.inc.php needs upgrading. setup lv Tavam header.inc.php nepieciešami jauninājumi
your php installation does not have appropriate gd support. you need gd library version 1.8 or newer to see gantt charts in projects. setup lv Tavai PHP instalācijai nav piemērota GD atbalsta. Tev nepieciešama gd bibliotekas 1.8 vai jaunāka versija, lai projektos redzētu Ganta diagrammas
your tables are current setup lv Tavas patreizējās tabulas
your tables will be dropped and you will lose data setup lv Tavas tabulas var tikt pārtrauktas un tu pazaudēsi datus!!
your temporary directory '%1' %2 setup lv Tavs īslaicīgais direktorijs "%1"%2

532
setup/lang/phpgw_nl.lang Normal file
View File

@ -0,0 +1,532 @@
%1 does not exist !!! setup nl %1 bestaat niet !!!
%1 is %2%3 !!! setup nl %1 is %2%3 !!!
(searching accounts and changing passwords) setup nl (zoekt accounts en wijzigt wachtwoorden)
*** do not update your database via setup, as the update might be interrupted by the max_execution_time, which leaves your db in an unrecoverable state (your data is lost) !!! setup nl *** Werk uw database niet via Setup bij omdat de update mogelijk onderbroken kan worden door de max_execution_time van PHP. Dit laat uw database achter in een niet repareerbare staat en uw data zal verloren zijn.
*** you have to do the changes manualy in your php.ini (usualy in /etc on linux) in order to get egw fully working !!! setup nl *** U heeft moet handmatig wijzigingen aanbrengen in uw php.ini om eGroupWare volledig aan het werk te krijkgen.
00 (disable) setup nl 00 (deactiveer / aanbevolen)
13 (ntp) setup nl 13 (ntp)
80 (http) setup nl 80 (http)
<b>charset to use</b> (use utf-8 if you plan to use languages with different charsets): setup nl <b>te gebruiken karakterset</b> (gebruik utf-8 indien u van plan bent om talen met verschillende karaktersets te gaan gebruiken):
<b>this will create 1 admin account and 3 demo accounts</b><br />the username/passwords are: demo/guest, demo2/guest and demo3/guest. setup nl <b>Dit maakt 1 beheerdersaccount en 3 demo accounts</b><br />De gebruikersnamen/wachtwoorden zijn: demo/guest, demo2/guest and demo3/guest.
accounts existing setup nl Bestaande accounts
actions setup nl Acties
add a domain setup nl Een domein toevoegen
add auto-created users to this group ('default' will be attempted if this is empty.) setup nl Automatisch gecreërde gebruikers toevoegen aan deze groep ('Standaard' wordt gebruikt als dit veld leeg is)
additional settings setup nl Overige instellingen
admin first name setup nl Voornaam beheerder
admin last name setup nl Achternaam beheerder
admin password setup nl Wachtwoord beheerder
admin password to header manager setup nl Wachtwoord beheerder van header
admin user for header manager setup nl Beheerder voor de header-configutie
admin username setup nl gebruikersnaam beheerder
admins setup nl Beheerders
after backing up your tables first. setup nl Nadat u eerst een backup van uw tabellen hebt gemaakt.
after retrieving the file, put it into place as the header.inc.php. then, click "continue". setup nl Zet het bestand op de plek van header.inc.php als u het hebt ontvangen. Klik vervolgens op "doorgaan".
all applications setup nl alle toepassingen
all core tables and the admin and preferences applications setup nl Alle hoofdtabellen en de beheerder- en voorkeurentoepassingen
all languages (incl. not listed ones) setup nl alle talen (incl. de niet getoonde)
all users setup nl Alle gebruikers
allow authentication via cookie setup nl Authenticatie via cookie toestaan
allow password migration setup nl Wachtwoord migratie toestaan
allowed migration types (comma-separated) setup nl Toegestane migratietypes (komma gescheiden)
analysis setup nl Analyse
and reload your webserver, so the above changes take effect !!! setup nl EN herstart jouw webserver zodat de bovenstaande wijzigingen doorgevoerd worden !!!
app details setup nl Toep. details
app install/remove/upgrade setup nl Toep. installeren/verwijderen/bijwerken
app process setup nl Toep. proces
application data setup nl Gegevens toepassing
application list setup nl Lijst toepassingen
application management setup nl Toepassingenbeheer
application name and status setup nl Naam en status toepassing
application name and status information setup nl Naam en statusinformatie toepassing
application title setup nl Titel toepassing
application: %1, file: %2, line: "%3" setup nl Toepassing: %1, Bestand: %2, Regel: %3
are you sure you want to delete your existing tables and data? setup nl Weet u zeker dat u uw huidige tabellen en gegevens wilt verwijderen?
are you sure? setup nl WEET U HET ZEKER?
at your request, this script is going to attempt to create the database and assign the db user rights to it setup nl Op uw verzoek gaat dit script proberen een database aan te maken en de db-gebruikersrechten toe te wijzen.
at your request, this script is going to attempt to install a previous backup setup nl Op uw verzoek gaat dit script proberen een vorige backup terug te zetten
at your request, this script is going to attempt to install the core tables and the admin and preferences applications for you setup nl Op uw verzoek gaat dit script proberen de core tabellen, de beheerder en de voorkeuren toepassingen te installeren.
at your request, this script is going to attempt to upgrade your old applications to the current versions setup nl Op uw verzoek gaat dit script proberen uw oude toepassingen bij te werken naar de huidige versies
at your request, this script is going to attempt to upgrade your old tables to the new format setup nl Op uw verzoek gaat dit script proberen uw oude tabellen naar het nieuwe formaat bij te werken
at your request, this script is going to take the evil action of deleting your existing tables and re-creating them in the new format setup nl Op uw verzoek gaat dit script proberen uw huidige tabellen te verwijderen en ze in het nieuwe formaat aan te maken
at your request, this script is going to take the evil action of uninstalling all your apps, which deletes your existing tables and data setup nl Op uw verzoek gaat dit script proberen al uw applicaties te deinstalleren waarbij ook uw tabellen en gegevens verwijderd worden
attempt to use correct mimetype for ftp instead of default 'application/octet-stream' setup nl Poging om het correcte mimetype voor FTP te gebruiken in plaats van de standaard 'application/octet-stream'
authentication / accounts setup nl Authenticatie / Accounts
auto create account records for authenticated users setup nl Automatisch account records aanmaken voor geauthentificeerde gebruikers
auto-created user accounts expire setup nl Automatisch aangemaakte gebruikers accounts verlopen
available version setup nl Beschikbare versie
back to the previous screen setup nl Terug naar het vorige scherm
back to user login setup nl Terug naar gebruikerslogin
back's up your db now, this might take a few minutes setup nl maakt nu een backup van uw DB, dit kan enkele minuten duren
backup '%1' deleted setup nl backup '%1' verwijderd
backup '%1' renamed to '%2' setup nl backup '%1' hernoemd in '%2'
backup '%1' restored setup nl backup '%1' teruggezet
backup and restore setup nl backup en herstel
backup failed setup nl Backup is mislukt
backup finished setup nl backup voltooid
backup now setup nl backup nu
backup sets setup nl backup sets
backup started, this might take a few minutes ... setup nl backup gestart, dit kan enkele minute duren ...
because an application it depends upon was upgraded setup nl omdat een toepassing waar het afhankelijk van is, is bijgewerkt
because it depends upon setup nl omdat het afhankelijk is van
because it is not a user application, or access is controlled via acl setup nl omdat het geen gebruikerstoepassing is, of omdat de toegang geregeld wordt via ACL
because it requires manual table installation, <br />or the table definition was incorrect setup nl omdat het een handmatige tabel installatie vereist,<br />of de tabeldefinitie was onjuist
because it was manually disabled setup nl omdat het handmatig was uitgeschakeld
because of a failed upgrade or install setup nl als gevolg van een mislukte upgrade of installatie
because of a failed upgrade, or the database is newer than the installed version of this app setup nl als gevolg van een mislukte upgrade of omdat de database nieuwer is dat de geinstalleerde versie van de toepassing
because the enable flag for this app is set to 0, or is undefined setup nl omdat de "inschakelen" markering voor deze toepassing op 0 is gezet of niet gedefinieerd is
bottom setup nl onderaan
but we <u>highly recommend backing up</u> your tables in case the script causes damage to your data.<br /><strong>these automated scripts can easily destroy your data.</strong> setup nl maar we <u>adviseren u ten zeerste om een backup</u> van uw tabellen te maken voor het geval het script uw gegevens beschadigt.<br /><strong>Deze automatische scripts kunnen uw gegevens gemakkelijk vernietigen.</strong><br /><em>Maak alstublieft een backup voordat u verder gaat!</em>
cancel setup nl Annuleren
cannot create the header.inc.php due to file permission restrictions.<br /> instead you can %1 the file. setup nl Kan de header.inc.php niet aanmaken als gevolg van te beperkte bestandstoegangsrechten.<br />Inplaats hiervan kunt u het bestand %1.
change system-charset setup nl Verander de systeemkarakterset
charset setup nl iso-8859-1
charset to convert to setup nl Karakterset waarnaar geconverteerd moet worden
check can only be performed, if called via a webserver, as the user-id/-name of the webserver is not known. setup nl Controle kan alleen worden uitgevoerd indien aangeroepen via een webserver omdat de gebruikers ID /-naam van de webserver onbekend is.
check installation setup nl Controleer installatie
check ip address of all sessions setup nl Controleer IPadres van alle sessies
checking extension %1 is loaded or loadable setup nl Controleert of extensie %1 geladen is of geladen kan worden
checking file-permissions of %1 for %2 %3: %4 setup nl Controleert bestandsrechten van %1 voor %2 %3: %4
checking for gd support... setup nl Controleert op GD ondersteuning...
checking pear%1 is installed setup nl Controleert of PEAR%1 is geinstalleerd
checking php.ini setup nl Controleert php.ini
checking the egroupware installation setup nl Controleert de eGroupWare installatie
click <a href="index.php">here</a> to return to setup. setup nl Klik <a href="index.php">hier</a> om terug te gaan naar Setup.
click here setup nl Klik hier
click here to re-run the installation tests setup nl Klik hier om de installatie testen nogmaals uit te voeren
completed setup nl Compleet
config password setup nl Configuratie wachtwoord
config username setup nl Configuratie gebruikersnaam
configuration setup nl Configuratie
configuration completed setup nl Configuratie voltooid
configuration password setup nl Configuratie wachtwoord
configuration user setup nl Configuratie gebruiker
configure now setup nl Nu configureren
confirm to delete this backup? setup nl De verwijdering van deze backup bevestigen?
contain setup nl bevat
continue setup nl Doorgaan
continue to the header admin setup nl Doorgaan naar de Header beheerder
convert setup nl Converteren
could not open header.inc.php for writing! setup nl Kon header.inc.php niet openen met schrijfrechten!
country selection setup nl Land keuze
create setup nl Aanmaken
create a backup before upgrading the db setup nl maak een backup voordat de DB ge-upgrade wordt
create admin account setup nl Beheerdersaccount aanmaken
create database setup nl Database aanmaken
create demo accounts setup nl Demo accounts aanmaken
create one now setup nl Nu aanmaken
create the empty database - setup nl De leze database aanmaken -
create the empty database and grant user permissions - setup nl De lege databae aanmaken en gebruikersrechten instellen -
create your header.inc.php setup nl Uw header.inc.php aanmaken
created setup nl aangemaakt
created header.inc.php! setup nl Header.inc.php aangemaakt!
creating tables setup nl Tabellen aanmaken
current system-charset setup nl Huidige systeem karakterset
current system-charset is %1, click %2here%3 to change it. setup nl Huidige systeem karakterset is %1, klik %2hier%3 om dit te wijzigen.
current version setup nl Huidige versie
currently installed languages: %1 <br /> setup nl Op dit moment geinstalleerde talen: %1 <br />
database successfully converted from '%1' to '%2' setup nl Database is met succes geconverteerd van '%1' naar %'2'
datebase setup nl Database
datetime port.<br />if using port 13, please set firewall rules appropriately before submitting this page.<br />(port: 13 / host: 129.6.15.28) setup nl Datetime poort.<br />Indien poort 13 gebruikt wordt, stel a.u.b. de firewall regels hiervoor in voordat u deze pagina verzendt.<br />(Poort: 13 / Host: 129.6.15.28)
day setup nl dag
day of week<br />(0-6, 0=sunday) setup nl dag van de week<br />(0-6, 0=zondag)
db backup and restore setup nl DB backup en herstel
db host setup nl DB host
db name setup nl DB naam
db password setup nl DB wachtwoord
db port setup nl DB poort
db root password setup nl DB root wachtwoord
db root username setup nl DB root gebruikersnaam
db type setup nl DB type
db user setup nl DB gebruiker
default file system space per user/group ? setup nl Standaard bestandssysteem ruimte per gebruiker/groep
delete setup nl Verwijderen
delete all existing sql accounts, groups, acls and preferences (normally not necessary)? setup nl Verwijder alle aanwezige SQL accounts, groepen, ACL's en voorkeuren (normaliter niet nodig)?
delete all my tables and data setup nl Verwijder al mijn tabellen en gegevens
delete all old languages and install new ones setup nl Verwijder alle oude talen en installeer nieuwe
deleting tables setup nl Verwijdert tabellen
demo server setup setup nl Demo Server Setup
deny access setup nl Toegang weigeren
deny all users access to grant other users access to their entries ? setup nl Weiger alle gebruikers om andere gebruikers toegang tot hun gegevens te verlenen ?
dependency failure setup nl Afhankelijkheidsfout
deregistered setup nl Gederegistreerd
details for admin account setup nl Details voor het beheerder account
developers' table schema toy setup nl Ontwikkelaars' tabelschema speelgoed
did not find any valid db support! setup nl Geen correcte DB ondersteuning gevonden!
do you want persistent connections (higher performance, but consumes more resources) setup nl Wilt u peristent connecties gebruiken (hogere snelheid maar verbruikt meer systeembronnen)
do you want to manage homedirectory and loginshell attributes? setup nl Wilt u de homedirectory en loginshell attributen beheren?
does not exist setup nl bestaat niet
domain setup nl Domein
domain name setup nl Domeinnaam
domain select box on login setup nl Domein keuzeveld op het loginscherm
dont touch my data setup nl Kom niet aan mijn gegevens
download setup nl Downloaden
edit current configuration setup nl Huidige configuratie bewerken
edit your existing header.inc.php setup nl Uw huidige header.inc.php bewerken
edit your header.inc.php setup nl Uw header.inc.php bewerken
egroupware administration manual setup nl eGroupWare Beheershandleiding
enable for extra debug-messages setup nl inschakelen voor extra debug-messages
enable ldap version 3 setup nl LDAP versie 3 inschakelen
enable mcrypt setup nl MCrypt inschakelen
enter some random text for app session encryption setup nl Vul wat willekeurige tekst in om de toepassingssessie te versleutelen
enter some random text for app_session <br />encryption (requires mcrypt) setup nl Vul wat willekeurige tekst in om de toepassingssessie te <br />versleutelen (vereist MCrypt)
enter the full path for temporary files.<br />examples: /tmp, c:\temp setup nl Vul het volledige pad naar de tijdelijke bestanden in,<br />Voorbeeld: /tmp, C:\TEMP
enter the full path for users and group files.<br />examples: /files, e:\files setup nl Vul het volledige pad naar de gebruikers- en groepsbestanden in. <br />Voorbeelden: /files, E:\FILES
enter the full path to the backup directory.<br />if empty: files directory setup nl Vul het volledige pad naar de backup directory in,<br />indien leeg: bestanden directory
enter the hostname of the machine on which this server is running setup nl Vul de hostnaam in van de machine waarop deze server draait
enter the location of egroupware's url.<br />example: http://www.domain.com/egroupware &nbsp; or &nbsp; /egroupware<br /><b>no trailing slash</b> setup nl Vul de locatie van eGroupWare's URL in.<br />Voorbeeld: http://www.domein.nl/egroupware of /egroupware<br /><b>Geen afsluitende slash<b>
enter the site password for peer servers setup nl Vul het site wachtwoord in voor peer servers
enter the site username for peer servers setup nl Vul de site gebruikersnaam in voor peer servers
enter the title for your site setup nl Vul de titel van uw site in
enter your default ftp server setup nl Vul uw standaard FTP server in
enter your http proxy server setup nl Vul uw HTTP proxy server in
enter your http proxy server password setup nl Vul uw HTTP proxy server wachtwoord in
enter your http proxy server port setup nl Vul uw HTTP proxy server poort in
enter your http proxy server username setup nl Vul uw HTTP proxy server gebruikersnaam in
error in admin-creation !!! setup nl Fout bij aanmaken van admin !!!
error in group-creation !!! setup nl Fout bij aanmaken van groep !!!
export egroupware accounts from sql to ldap setup nl eGroupWare accounts exporteren van SQL naar LDAP
export has been completed! you will need to set the user passwords manually. setup nl Exporteren is voltooid! U moet de gebruikerswachtwoorden handmatig instellen.
export sql users to ldap setup nl SQL gebruikers exporteren naar LDAP
false setup nl Niet waar
file setup nl BESTAND
file type, size, version, etc. setup nl bestandtype, grootte, versie, enz.
file uploads are switched off: you can not use any of the filemanagers, nor can you attach files in several applications! setup nl Bestandsuploads zijn uitgeschakeld: u kunt GEEN van de bestandsbeheerders gebruiken en ook u nergens in toepassingen bestanden bijvoegen.
filename setup nl bestandsnaam
for a new install, select import. to convert existing sql accounts to ldap, select export setup nl Voor een nieuwe installatie kiest u importeren. Om bestaande SQL accounts naar LDAP te converteren, kiest u exporteren
force selectbox setup nl Selectieveld forceren
found existing configuration file. loading settings from the file... setup nl Bestaand configuratiebestand gevonden. Instellingen worden uit dat bestand geladen...
go back setup nl Ga terug
go to setup nl Ga naar
grant access setup nl Toegang verlenen
has a version mismatch setup nl versies komen niet overeen
header admin login setup nl Header beheerder login
header password setup nl Header wachtwoord
header username setup nl Header gebruikersnaam
historylog removed setup nl Historie log verwijderd
hooks deregistered setup nl hooks registraties verwijderd
hooks registered setup nl hooks geregistreerd
host information setup nl Host informatie
host/ip domain controler setup nl Host/IP domein controller
hostname/ip of database server setup nl Hostnaam/IP van de database server
hour (0-24) setup nl uur (0-24)
however, the application is otherwise installed setup nl Hoewel, de toepassing is anderszins geinstalleerd
however, the application may still work setup nl Hoewel, de toepassing zal misschien werken
if no acl records for user or any group the user is a member of setup nl Als er ACL records voor de gebruiker of een willekeurige groep zijn is de gebruiker lid van
if safe_mode is turned on, egw is not able to change certain settings on runtime, nor can we load any not yet loaded module. setup nl Indien safe_mode ingeschakeld is kan eGW bepaalde instellingen niet tijdens runtime wijzen, bovendien kunnen we geen enkele nog niet geladen module laden.
if the application has no defined tables, selecting upgrade should remedy the problem setup nl Indien de toepassing geen tabellen heeft gedefinieerd is het kiezen voor upgrade de oplossing voor dit problemen
if using ads (active directory) authentication setup nl Indien ADS (Active Directory) authenticatie gebruikt wordt
if using ldap setup nl Indien LDAP gebruikt wordt
if using ldap, do you want to manage homedirectory and loginshell attributes? setup nl Indien LDAP gebruikt wordt, wilt u dan de homedirectory en loginshell attributen beheren?
if using mail authentication setup nl Indien Mail authenticatie gebruikt wordt
if you did not receive any errors, your applications have been setup nl Indien u geen foutmeldingen kreeg, is uw toepassing
if you did not receive any errors, your tables have been setup nl Indien u geen foutmeldingen kreeg, zijn uw tabellen
if you running this the first time, don't forget to manualy %1 !!! setup nl Indien u dit voor de eerste uitvoert, vergeet dan niet om handmatig %1 te doen !!!
if you use only languages of the same charset (eg. western european ones) you dont need to set a system-charset! setup nl Indien u alleen talen met dezelfde karakterset gebruikt (bijvoorbeeld west europese talen) hoeft u geen systeemkarakerset in te stellen!
image type selection order setup nl Afbeelding type selectie volgorde
import accounts from ldap to the egroupware accounts table (for a new install using sql accounts) setup nl Accounts vanuit LDAP in de eGroupWare accounts tabel importeren (voor een nieuwe installatie die SQL accounts gebruikt)
import has been completed! setup nl Importeren is voltooid!
import ldap users/groups setup nl LDAP gebruikers/groepen importeren
importing old settings into the new format.... setup nl Oude instellingen naar het nieuwe formaat importeren...
include root (this should be the same as server root unless you know what you are doing) setup nl Root meenemen (dit hoort hetzelfde te zijn als de Server Root tenzij u weet wat u doet)
include_path need to contain "." - the current directory setup nl include_path moet "." bevatten - de huidige directory
install setup nl Installeren
install all setup nl Alles installeren
install applications setup nl Toepassingen installeren
install backup setup nl backup installeren
install language setup nl Taal installeren
installed setup nl geinstalleerd
instructions for creating the database in %1: setup nl Instructies voor het aanmaken van de database in %1:
invalid ip address setup nl Ongeldig IP adres
invalid password setup nl Ongeldig wachtwoord
is broken setup nl is kapot/verbroken
is disabled setup nl is uitgeschakeld
is in the webservers docroot setup nl is de docroot van de webserver
is not writeable by the webserver setup nl kan niet door de webserver beschreven worden
ldap account import/export setup nl LDAP account importeren/exporteren
ldap accounts configuration setup nl LDAP accounts configuratie
ldap accounts context setup nl LDAP accounts context
ldap config setup nl LDAP configuratie
ldap default homedirectory prefix (e.g. /home for /home/username) setup nl LDAP standaard homedirectory prefix (voorbeeld /home voor /home/gebruikersnaam)
ldap default shell (e.g. /bin/bash) setup nl LDAP standaard shell (voorbeeld /bin/bash)
ldap encryption type setup nl LDAP encryptie type
ldap export setup nl LDAP exporteren
ldap export users setup nl LDAP gebruikers exporteren
ldap groups context setup nl LDAP gebruikers context
ldap host setup nl LDAP host
ldap import setup nl LDAP importeren
ldap import users setup nl LDAP gebruikers importeren
ldap modify setup nl LDAP bewerken
ldap root password setup nl LDAP root wachtwoord
ldap rootdn setup nl LDAP rootdn
ldap search filter for accounts, default: "(uid=%user)", %domain=egw-domain setup nl LDAP zoekfilter voor accounts, standaard: "(uid=%user)", %domain=eGW-domain
limit access to setup to the following addresses, networks or hostnames (e.g. 127.0.0.1,10.1.1,myhost.dnydns.org) setup nl Limiteer toegang tot de setup tot de volgende adressen, netwerken of hostnamen (voorbeeld: 127.0.0.1,10.1.1,myhost.dnydns.org)
login to mysql - setup nl Inloggen op mysql -
logout setup nl Uitloggen
mail domain (for virtual mail manager) setup nl Mail domein (voor Virtual mail manager)
mail server login type setup nl Mailserver login type
mail server protocol setup nl Mailserver protocol
make sure that your database is created and the account permissions are set setup nl Overtuig u ervan dat uw database is aangemaakt en dat de account rechten zijn ingesteld
manage applications setup nl Toepassingen beheren
manage languages setup nl Talen beheren
max_execution_time is set to less than 30 (seconds): egroupware sometimes needs a higher execution_time, expect occasional failures setup nl max_execution_time is ingesteld op minder dan 30 (seconden): eGroupWare heeft somes een hogere execution_time, reken er dus op dat er af en toe fouten optreden
maximum account id (e.g. 65535 or 1000000) setup nl Maximum account id (voorbeeld 65535 of 1000000)
may be broken setup nl kan verbroken zijn
mcrypt algorithm (default tripledes) setup nl MCrypt algoritme (standaard TRIPLEDES)
mcrypt initialization vector setup nl MCrypt initialisatie vector
mcrypt mode (default cbc) setup nl MCrypt modus (standaard CBC)
mcrypt settings (requires mcrypt php extension) setup nl MCrypt instellingen (vereist de mcrypt PHP extensie)
mcrypt version setup nl MCrypt versie
memory_limit is set to less than 16m: some applications of egroupware need more than the recommend 8m, expect occasional failures setup nl memory_limit is ingesteld op minder dan 16M; sommige toepassingen van eGroupWare hebben meer nodig dan de aanbevolen 8M, reken er dus op at er af en toe fouten optreden
minimum account id (e.g. 500 or 100, etc.) setup nl Minimum account ID (voorbeeld: 500 of 100, enz.)
minute setup nl minuut
modifications have been completed! setup nl Aanpassingen zijn voltooid!
modify setup nl Aanpassen
modify an existing ldap account store for use with egroupware (for a new install using ldap accounts) setup nl Een bestaande LDAP account store aanpassen voor gebruik met eGroupWare (t.b.v. een nieuwe installatie die LDAP accounts gebruikt)
month setup nl maand
multi-language support setup setup nl meertalige ondersteuning instellen
name of database setup nl Naam van de database
name of db user egroupware uses to connect setup nl Naam van de db gebruiker die eGroupWare gebruikt om verbinding te maken
never setup nl nooit
new setup nl Nieuw
next run setup nl volgende keer
no setup nl Nee
no %1 support found. disabling setup nl Geen %1 ondersteuning aangetroffen. Wordt uitgeschakeld
no accounts existing setup nl Geen bestaande accounts
no algorithms available setup nl geen algoritmes aanwezig
no modes available setup nl geen modi aanwezig
no xml support found. disabling setup nl Geen XML ondersteuning aangetroffen. Wordt uitgeschakeld
not setup nl niet
not all mcrypt algorithms and modes work with egroupware. if you experience problems try switching it off. setup nl Niet alle MCrypt algoritmes en modi werken met eGroupWare. Als u problemen ervaart probeer dit dan uit te schakelen.
not complete setup nl niet compeet
not completed setup nl Niet voltooid
not ready for this stage yet setup nl Nog niet gereed voor deze fase
not set setup nl niet ingesteld
note: you will be able to customize this later setup nl Noot: U kunt dit later aanpassen
now guessing better values for defaults... setup nl Nu worden er betere standaardwaardes bepaald...
ok setup nl OK
once the database is setup correctly setup nl Zodra de database correct is ingesteld
one month setup nl één maand
one week setup nl één week
only add languages that are not in the database already setup nl Uitsluitend talen toevoegen die nog niet in de database aanwezig zijn
only add new phrases setup nl Alleen nieuwe frasen toevoegen
or setup nl of
or %1continue to the header admin%2 setup nl of %1Ga door naar de Header Admin%2
or http://webdav.domain.com (webdav) setup nl of http://webdav.domein.nl (WebDAV)
or we can attempt to create the database for you: setup nl Of wij proberen de database voor uw aan te maken:
or you can install a previous backup. setup nl Of u kunt een vorige backup installeren.
password needed for configuration setup nl Wachtwoord dat vereist is voor configuratie
password of db user setup nl Wachtwoord van de db gebruiker
passwords did not match, please re-enter setup nl Wachtwoord zijn ongelijk, vul ze nogmaals in
path information setup nl Pad informatie
path to user and group files has to be outside of the webservers document-root!!! setup nl Pad naar gebruikers- en groepsbestanden MOETEN BUITEN de webserver's document-root liggen!!!
pear is needed by syncml or the ical import+export of calendar. setup nl PEAR is vereist voor SyncML of de iCal import en export van de agenda.
pear::log is needed by syncml. setup nl PEAR::Log is vereist voor SyncML.
persistent connections setup nl Persistente connecties
php plus restore setup nl PHP plus restore
php plus restore gives by far the best performance, as it stores the egw enviroment completly in the session. setup nl PHP plus restore geeft verreweg de beste performance aangezien het de eGW omgeving volledig in de sessie opslaat.
please check for sql scripts within the application's directory setup nl Controleer a.u.b. op de aanwezigheid van SQL scripts in de programma directory
please check read/write permissions on directories, or back up and use another option. setup nl Controleer a.u.b. de lees/schrijfrechten op directories, of ga terug en gebruik een andere optie
please configure egroupware for your environment setup nl Configureer eGroupWare a.u.b. voor uw omgeving
please consult the %1. setup nl Raadpleeg a.u.b. de %1.
please fix the above errors (%1) and warnings(%2) setup nl Herstel a.u.b. de bovenstaande fouten (%1) en waarschuwingen (%2)
please install setup nl A.u.b. installeren
please login setup nl A.u.b. inloggen
please login to egroupware and run the admin application for additional site configuration setup nl A.u.b. inloggen in eGroupWare en de beheerstoepassing uitvoeren ten behoeve van aanvullende site configuratie
please make the following change in your php.ini setup nl Maak a.u.b. de volgende wijzizing in uw php.ini
please wait... setup nl Wacht a.u.b....
pop/imap mail server hostname or ip address setup nl POP/IMAP mail server hostnaam of IP adres
possible reasons setup nl Mogelijke redenen
possible solutions setup nl Mogelijke oplossingen
post-install dependency failure setup nl Na-installatie afhankelijkheids fout
potential problem setup nl Potentieel probleem
preferences setup nl Voorkeuren
problem resolution setup nl Probleem oplossing
process setup nl Proces
re-check my database setup nl Mijn database opnieuw controleren
re-check my installation setup nl Mijn installatie opnieuw controleren
re-enter password setup nl Wachtwoord opnieuw invullen
read translations from setup nl Vertalingen lezen uit
readable by the webserver setup nl leesbaar door de webserver
really uninstall all applications setup nl WERKELIJK all toepassingen de-installeren
recommended: filesystem setup nl Aanbevolen: bestandssysteem
register_globals is turned on, egroupware does not require it and it's generaly more secure to have it turned off setup nl register_globals is ingeschakeld, eGroupWare heeft dit niet nodig en het is in het algemeen veiliger om dit uitgeschakeld te houden
registered setup nl geregistreerd
rejected lines setup nl Afgekeurde regels
remove setup nl Verwijderen
remove all setup nl Alles verwijderen
rename setup nl hernoemen
requires reinstall or manual repair setup nl Vereist een herinstallatie of een handmatige reparatie
requires upgrade setup nl Vereist een upgrade
resolve setup nl Oplossen
restore setup nl terugzetten
restore failed setup nl Terugzetten mislukte
restore finished setup nl terugzetten is voltooid
restore started, this might take a few minutes ... setup nl terugzetten is gestart, dat kan een paar minuten duren...
restoring a backup will delete/replace all content in your database. are you sure? setup nl Een backup terugzetten zal alle inhoud van uw database verwijderen/overschrijven. Weet u het zeker?
return to setup setup nl Ga terug naar installatie
run installation tests setup nl Voer de installatie testen uit
safe_mode is turned on, which is generaly a good thing as it makes your install more secure. setup nl safe_mode is ingeschakeld, dit is in het algemeen een goed zaak aangezien het uw installatie veiliger maakt.
sample configuration not found. using built in defaults setup nl Voorbeeld configuratie is niet gevonden, gebruikt ingebouwde standaarden
save setup nl Bewaren
save this text as contents of your header.inc.php setup nl Bewaar deze tekst als inhoud van uw header.inc.php
schedule setup nl agenderen
scheduled backups setup nl geagendeerde backups
select an app, enter a target version, then submit to process to that version.<br />if you do not enter a version, only the baseline tables will be installed for the app.<br /><blink>this will drop all of the apps' tables first!</blink> setup nl Selecteer een toepassing, vul een doel versie in en verstuur daarna dit formulier om die versie uit te voeren.<br />Indien u geen versie invult worden alleen de basis tabellen voor de toepassing geinstalleerd.<br /><blink>DIT VERWIJDERT EERST ALLE TABELLEN VAN DEZE APPLICATIE!</blink>
select one... setup nl selecteer een...
select the default applications to which your users will have access setup nl Selecteer de standaard toepassingen die uw gebruikers mogen gebruiken
select the desired action(s) from the available choices setup nl Selecteer de gewenste actie(s) uit de beschikbare mogelijkheden
select to download file setup nl Kies voor het downloaden van bestand
select where you want to store/retrieve file contents setup nl Kies waar u de bestandsinhoud wilt opslaan/ophalen
select where you want to store/retrieve filesystem information setup nl Kies waar u de bestandssysteeminformatei wilt opslaan/ophalen
select where you want to store/retrieve user accounts setup nl Kies waar u de gebruikersaccounts wilt opslaan/ophalen
select which group(s) will be exported (group membership will be maintained) setup nl Kies welke groep(en) geexporteerd zal/zullen worden (groepslidmaatschap wordt behouden)
select which group(s) will be imported (group membership will be maintained) setup nl Kies welke groep(en) geimporteerd zal/zullen worden (groepslidmaatschap wordt behouden)
select which group(s) will be modified (group membership will be maintained) setup nl Kies welke groep(en) gewijzigd zal/zullen worden (groepslidmaatschap wordt behouden)
select which languages you would like to use setup nl Kies welke talen u wilt gebruiken
select which method of upgrade you would like to do setup nl Kies welke upgrade methode u wilt gebruiken
select which type of authentication you are using setup nl Kies welke authenticatie type u wilt gebruiken
select which user(s) will also have admin privileges setup nl Kies welke gebruiker(s) ook beheerdersrechten krijgen
select which user(s) will be exported setup nl Kies welke gebruiker(s) geexporteerd zal/zullen worden
select which user(s) will be imported setup nl Kies welke gebruiker(s) geimporteerd zal/zullen worden
select which user(s) will be modified setup nl Kies welke gebruiker(s) gewijzigd zal/zullen worden
select which user(s) will have admin privileges setup nl Kies welke gebruiker(s) beheerdersrechten krijgen
select your old version setup nl Kies uw oude versie
selectbox setup nl Keuzeveld
server root setup nl Server Root
sessions type setup nl Sessies type
set setup nl stel in
set this to "old" for versions &lt; 2.4, otherwise the exact mcrypt version you use. setup nl Stel dit in op "oud" voor versie < 2.4, in het andere geval op de exacte mcrypt versie die u gebruikt.
setting the system-charset to utf-8 (unicode) allows the coexistens of data from languages of different charsets. setup nl De systeemkarakterset instellen op UTF-8 (unicode) maakt het mogelijk dat er talen met verschillende karakterset door elkaar gebruikt worden.
settings setup nl Instellingen
setup setup nl Setup
setup demo accounts in ldap setup nl Setup demo accounts in LDAP
setup main menu setup nl Setup Hoofdmenu
setup the database setup nl Setup de database
setup/config admin login setup nl Setup/Configureer beheerders login
show 'powered by' logo on setup nl Toon "draait op" logo op
size setup nl grootte
some or all of its tables are missing setup nl Enkele of alle tabellen ontbreken
sql encryption type setup nl SQL encryptie type voor wachtwoorden (standaard - md5)
standard (login-name identical to egroupware user-name) setup nl standaard (loginnaam gelijk aan de eGroupWare gebruikersnaam)
start the postmaster setup nl Start de postmaster
status setup nl Status
step %1 - admin account setup nl Stap %1 - Beheerders account
step %1 - advanced application management setup nl Stap %1 - Geavanceerd toepassingen beheer
step %1 - configuration setup nl Stap %1 - Configuratie
step %1 - db backup and restore setup nl Stap %1 - DB backup en restore
step %1 - language management setup nl Stap %1 - Taal beheer
step %1 - simple application management setup nl Stap %1 - Eenvoudig toepassingen beheer
succesfully uploaded file %1 setup nl bestand %1 met succes ge-upload
table change messages setup nl Tabel wijzigingsberichten
tables dropped setup nl tabellen verwijderd
tables installed, unless there are errors printed above setup nl tabellen geinstalleerd, tenzij er hierboven fouten zijn gemeld
tables upgraded setup nl tabellen ge-upgrade
target version setup nl Doel versie
tcp port number of database server setup nl TCP poortnummer van de database server
text entry setup nl Text invoer
the %1 extension is needed, if you plan to use a %2 database. setup nl De %1 extensie is vereist indien u van plan bent om een %2 database te gebruiken.
the db_type in defaults (%1) is not supported on this server. using first supported type. setup nl De db_type in standaardwaarden (%1) wordt niet ondersteund door deze server, gebruikt het eerste ondersteunde type.
the file setup nl het bestand
the first step in installing egroupware is to ensure your environment has the necessary settings to correctly run the application. setup nl De eerste stap bij het installeren van eGroupWare is vaststellen dat uw omgeving de juiste instellingen heeft om het programma correct te kunnen uitvoeren.
the following applications need to be upgraded: setup nl De volgende toepassingen moeten ge-upgrade worden:
the imap extension is needed by the two email apps (even if you use email with pop3 as protocoll). setup nl De IMAP extensie is vereist voor de twee email toepassingen (zelfs als u email alleen maar met het POP3 protocol gebruikt).
the mbstring extension is needed to fully support unicode (utf-8) or other multibyte-charsets. setup nl De mbstring extensie is vereist voor volledige ondersteuning van unicode (UTF-8) of andere multibyte karaktersets.
the mbstring.func_overload = 7 is needed to fully support unicode (utf-8) or other multibyte-charsets. setup nl De mbstring.func_overload = 7 is vereist voor volledige ondersteuning van unicode (UTF-8) of andere multibyte karaktersets.
the session extension is needed to use php sessions (db-sessions work without). setup nl De session extensie is vereist om PHP sessies te kunnen gebruiken (db-sessies gebruiken dit niet)
the table definition was correct, and the tables were installed setup nl De tabeldefinitie was correct en de tabellen werden geinstalleerd
the tables setup nl de tabellen
there was a problem trying to connect to your ldap server. <br /> setup nl Er was een probleem bij het proberen te verbinden met uw LDAP server. <br />
there was a problem trying to connect to your ldap server. <br />please check your ldap server configuration setup nl Er was een probleem bij het proberen te verbinden met uw LDAP server. <br />Controleer a.u.b. uw LDAP server configuratie
this has to be outside the webservers document-root!!! setup nl Dit moet buiten de webserver document-root liggen!!!
this might take a while, please wait ... setup nl Dit kan een tijdje duren, geduld a.u.b. ...
this program lets you backup your database, schedule a backup or restore it. setup nl Dit programma laat u een backup van uw database maken, agendeer een backup of zet de database terug.
this program will convert your database to a new system-charset. setup nl Dit programma zal uw database converteren naar een nieuwe systeemkarakterset.
this program will help you upgrade or install different languages for egroupware setup nl Dit programma zal u helpen verschillende talen voor eGroupWare te upgraden of te installeren
this section will help you export users and groups from egroupware's account tables into your ldap tree setup nl Deze sectie zal u helpen om gebruikers en groepen uit uw eGroupWare tabellen te exporteren in uw LDAP boomstructuur
this section will help you import users and groups from your ldap tree into egroupware's account tables setup nl Deze sectie zal u helpen om gebruikers en groepen uit uw LDAP boomstructuur te exporteren in uw eGroupWare tabellen
this section will help you setup your ldap accounts for use with egroupware setup nl Deze sectie zal u helpen om uw LDAP accounts in te stellen voor gebruik met eGroupWare
this should be around 30 bytes in length.<br />note: the default has been randomly generated. setup nl Dit zou ongeveer 30 bytes lang moeten zijn.<br />Noot: De standaard is willekeurig samengesteld.
this stage is completed<br /> setup nl Deze fase is voltooid<br />
to a version it does not know about setup nl naar een versie waar het niets vanaf weet
to setup 1 admin account and 3 demo accounts. setup nl om 1 beheerders account en 3 demo accounts in te stellen.
top setup nl Boven
translations added setup nl Vertalingen toegevoegd
translations removed setup nl Vertalingen verwijderd
translations upgraded setup nl Vertalingen ge-upgrade
true setup nl Waar
try to configure your php to support one of the above mentioned dbms, or install egroupware by hand. setup nl Probeer uw PHP zo te configureren dat een van de hierboven genoemde DBMS-sen ondersteund wordt of installeer eGroupWare handmatig.
two weeks setup nl twee weken
unfortunally some php/apache packages have problems with it (apache dies and you cant login anymore). setup nl Helaas hebben sommige PHP/Apache pakketten hier problemen mee (Apache 'sterft' en u kunt niet meer inloggen).
uninstall setup nl deinstalleren
uninstall all applications setup nl Alle toepassingen deinstalleren
uninstalled setup nl gedeinstalleerd
upgrade setup nl Upgraden
upgrade all setup nl Alle upgraden
upgraded setup nl ge-upgrade
upgrading tables setup nl Tabellen upgraden
upload backup setup nl backup verzenden
uploads a backup and installs it on your db setup nl verzendt de backup en installeert hem in uw DB
uploads a backup to the backup-dir, from where you can restore it setup nl verzendt een backup naar de backup directory vanwaar u de hem kunt terugzetten
use cookies to pass sessionid setup nl Gebruik cookies om de sessie ID door te geven
use pure html compliant code (not fully working yet) setup nl Gebruik pure HMTL compatibele code (werkt nog niet helemaal)
user account prefix setup nl Gebruikers account prefix
usernames are casesensitive setup nl Gebruikersnamen zijn hoofdlettergevoelig
users choice setup nl Gebruikerskeuze
utf-8 (unicode) setup nl UTF-8 (Unicode)
version setup nl versie
version mismatch setup nl onjuiste versie
view setup nl Weergeven
virtual mail manager (login-name includes domain) setup nl Virtuele mail beheerder (loginnaam bevat het domein)
warning! setup nl Waarschuwing!
we can proceed setup nl We kunnen doorgaan
we will automatically update your tables/records to %1 setup nl We zullen automatisch uw tabellen/records bijwerken naar %1
we will now run a series of tests, which may take a few minutes. click the link below to proceed. setup nl We zullen nu een serie testen uitvoeren die een paar minuten in beslag kunnen nemen. Klik op de link hieronder om door te gaan.
welcome to the egroupware installation setup nl Welkom bij de eGroupWare installatieprocedure
what type of sessions management do you want to use (php session management may perform better)? setup nl Wat voor type sessies beheer wilt u gebruiken (PHP sessie beheer kan een betere performance geven)?
which database type do you want to use with egroupware? setup nl Welk database type wilt u gebruiken met eGroupWare?
world readable setup nl world leesbaar
world writable setup nl world schrijfbaar
would you like egroupware to cache the phpgw info array ? setup nl Wilt u dat eGroupWare de phpgw info array cacht ?
would you like egroupware to check for a new version<br />when admins login ? setup nl Wilt u dat eGroupWare controleert of er een nieuwe versie is<br />als beheerders inloggen ?
would you like to show each application's upgrade status ? setup nl Wilt u de upgrade status van iedere toepassing laten weergeven ?
writable by the webserver setup nl schijfbaar voor de webserver
write config setup nl Configuratie wegschrijven
year setup nl jaar
yes setup nl Ja
yes, with lowercase usernames setup nl Ja, met gebruikersnamen in kleine letters
you appear to be running a pre-beta version of egroupware.<br />these versions are no longer supported, and there is no upgrade path for them in setup.<br /> you may wish to first upgrade to 0.9.10 (the last version to support pre-beta upgrades) <br />and then upgrade from there with the current version. setup nl Het blijkt dat u een pre-beta versie van eGroupWare draait.<br />Deze versies worden niet meer ondersteund en er is ook geen upgrade pad hiervoor in de setup beschikbaar. U kunt mogelijk eerst upgraden naar versie 0.9.10 (de laatste versie die pre-beta upgrades biedt)<br />en daarna upgrade naar de huidige actuele versie.
you appear to be running an old version of php <br />it its recommend that you upgrade to a new version. <br />older version of php might not run egroupware correctly, if at all. <br /><br />please upgrade to at least version %1 setup nl Het blijkt dat u een oude versie van PHP draait.<br />Het wordt aanbevolen om naar een nieuwe versie te upgraden.<br />Oudere versies van PHP kunnen mogelijk eGroupWare niet correct laten draaien als eGroupWare al wil starten.<br /><br />Upgrade a.u.b. tot minimaal versie %1.
you appear to be running version %1 of egroupware setup nl U lijkt eGroupWare versie %1 te draaien
you appear to be using php earlier than 4.1.0. egroupware now requires 4.1.0 or later setup nl U lijkt een oudere versie dan PHP 4.1.0 te gebruiken. eGroupWare vereist nu PHP 4.1.0 of nieuwer
you appear to have %1 support. setup nl U blijkt ondersteuning voor %1 te hebben.
you appear to have php session support. enabling php sessions. setup nl U blijkt PHP sessie ondersteuning te hebben. PHP sessies wordt ingeschakeld.
you appear to have xml support enabled setup nl XML ondersteuning lijkt te zijn geactiveerd.
you are ready for this stage, but this stage is not yet written.<br /> setup nl U bent klaar voor dit stadium, maar dit stadium is nog niet weggeschreven.</br>
you didn't enter a config password for domain %1 setup nl U heeft geen configuratie wachtwoord ingevoerd voor domein %1.
you didn't enter a config username for domain %1 setup nl U heeft geen configuratie gebruikersnaam ingevoerd voor domein %1.
you didn't enter a header admin password setup nl U heeft geen header beheerderwachtwoord ingevoerd.
you didn't enter a header admin username setup nl U heeft geen header beheerdergebruikersnaam ingevoerd.
you do not have any languages installed. please install one now <br /> setup nl U heeft nog geen talen geïnstalleerd. Doe dit a.u.b. nu.<br/>
you have not created your header.inc.php yet!<br /> you can create it now. setup nl U heeft nog geen header.inc.php gemaakt! <br/> U kunt dit nu doen.
you have successfully logged out setup nl U bent correct uitgelogd.
you must enter a username for the admin setup nl U moet een gebruikersnaam geven voor de beheerder
you need to add some domains to your header.inc.php. setup nl U moet één of meerdere domeinen toevoegen aan uw header.inc.php.
you need to select your current charset! setup nl U moet een huidige karakterset kiezen!
you should either uninstall and then reinstall it, or attempt manual repairs setup nl U moet of proberen de de-installeren en vervolgens opnieuw te installeren of u kunt handmatige reparaties doen
you will need to load the proper schema into your ldap server - see phpgwapi/doc/ldap/readme setup nl U moet het juiste schema in uw LDAP server laden - zie phpgwapi/doc/ldap/README
you're using an old configuration file format... setup nl U gebruikt een verouderd bestandsformaat voor de configuratie
you're using an old header.inc.php version... setup nl U gebruikt een verouderde header.inc.php versie...
your applications are current setup nl Uw toepassingen zijn actueel
your backup directory '%1' %2 setup nl Uw backup directory '%1' %2
your database does not exist setup nl U database bestaat niet!
your database is not working! setup nl U database werkt niet!
your database is working, but you dont have any applications installed setup nl U database werkt, maar u heeft nog geen toepassingen geïnstalleerd.
your files directory '%1' %2 setup nl Uw bestanden directory '%1' %2
your header admin password is not set. please set it now! setup nl Uw header-beheerderwachtwoord is niet ingesteld. Doe dit nu!
your header.inc.php needs upgrading. setup nl Het is noodzakelijk uw header.inc.php bij te werken
your header.inc.php needs upgrading.<br /><blink><b class="msg">warning!</b></blink><br /><b>make backups!</b> setup nl Het is noodzakelijk uw header.inc.php bij te werken. <br />
your php installation does not have appropriate gd support. you need gd library version 1.8 or newer to see gantt charts in projects. setup nl Uw PHP installatie heeft niet de juiste GD ondersteuning. U moet GD library versie 1.8 of hoger installeren om Gantt charts in de projectentoepassing te kunnen zien.
your tables are current setup nl Uw tabellen zijn actueel
your tables will be dropped and you will lose data setup nl U tabellen worden verwijderd en alle gegevens gaan verloren !!
your temporary directory '%1' %2 setup nl Uw tijdelijke directory '%1' %2

513
setup/lang/phpgw_no.lang Normal file
View File

@ -0,0 +1,513 @@
%1 does not exist !!! setup no %1 eksisterer ikke!!!
%1 is %2%3 !!! setup no %1 er %2%3 !!!
(searching accounts and changing passwords) setup no (søker opp konto og endrer passord)
*** do not update your database via setup, as the update might be interrupted by the max_execution_time, which leaves your db in an unrecoverable state (your data is lost) !!! setup no Oppdater *IKKE* databasen via setup. Oppdateringen kan avbrytas av max_execution_time hvilket ødelegger databasen ugjenkallelig!
*** you have to do the changes manualy in your php.ini (usualy in /etc on linux) in order to get egw fully working !!! setup no ***Du må oppdatere php.ini manuellt (finnes vanligvis i /etc på Linux og i windows-mappen på Windows) for å få eGW til å fungere.
00 (disable) setup no 00 (steng av/ anbefalt)
13 (ntp) setup no 13 (ntp)
80 (http) setup no 80 (http)
<b>charset to use</b> (use utf-8 if you plan to use languages with different charsets): setup no <b>tegntabell som skal anvendes</b> (anvend utf-8 om du skal ha støtte for språk med ulike tegntabeller)
<b>this will create 1 admin account and 3 demo accounts</b><br />the username/passwords are: demo/guest, demo2/guest and demo3/guest. setup no <b>Dette vil skape en (1) adminkonto og tre demokonti</b><br />Brukernavn/Passord er demo/guest, demo2/guest og demo3/guest.
accounts existing setup no Eksisterende konti
actions setup no Aksjoner
add a domain setup no Legg til domene
add auto-created users to this group ('default' will be attempted if this is empty.) setup no legg til automatiskt skapte brukere til denne gruppen ('Default' kommer til å benyttes om denne er tom)
additional settings setup no Øvrige innstillinger
admin first name setup no Admin. fornavn
admin last name setup no Admin. etternavn
admin password setup no Admin. passord
admin password to header manager setup no Admin.passord til header hanager
admin user for header manager setup no Admin.konto for header manager
admin username setup no Admin. brukernavn
admins setup no Administratorer
after backing up your tables first. setup no etter å ha tatt backup av dine tabeller
after retrieving the file, put it into place as the header.inc.php. then, click "continue". setup no Når du har hentet filen, lagre den som header.inc.php Trykk deretter "Fortsett"
all applications setup no Samtlige programmer
all core tables and the admin and preferences applications setup no Alla hovedtabeller samt "admin" og "alternativ"-programmene
all languages (incl. not listed ones) setup no Alle språk (inkl. de som ikke er listet)
all users setup no Alle brukere
analysis setup no Analyse
and reload your webserver, so the above changes take effect !!! setup no Og start nettstedstjeneren på nytt slik at forandringene trer i kraft!
app details setup no Programdetaljer
app install/remove/upgrade setup no Installere/oppgradere/avinstallere programmer
app process setup no Prg.-prosess
application data setup no Programdata
application list setup no Programliste
application management setup no Programhåndtering
application name and status setup no Programnavn og status
application name and status information setup no Programnavn og statusinformation
application title setup no Programtitell
application: %1, file: %2, line: "%3" setup no Program: %1, fil: %2, linje "%3"
are you sure you want to delete your existing tables and data? setup no Ønsker du virkelig å slette dine eksisterende tabeller og alle dets data?
are you sure? setup no ER DU SIKKER?
at your request, this script is going to attempt to create the database and assign the db user rights to it setup no På din begäran kommer detta script att skapa en databas och tilldela databasanvändaren rättigheter till databasen
at your request, this script is going to attempt to install a previous backup setup no På din begäran kommer detta script att försöka en tidigare backup
at your request, this script is going to attempt to install the core tables and the admin and preferences applications for you setup no På din begäran kommer detta script att försöka installera huvudtabellerna samt admin och alternativ-applikationerna.
at your request, this script is going to attempt to upgrade your old applications to the current versions setup no På din begäran kommer detta script att försöka uppgradera dina befintliga applikationer till senaste version
at your request, this script is going to attempt to upgrade your old tables to the new format setup no På din begäran kommer detta script att försöka uppgradera dina befintliga tabeller till det nya formatet
at your request, this script is going to take the evil action of deleting your existing tables and re-creating them in the new format setup no På din begäran kommer detta script att radera dina gamla tabeller och skapa om dem i det nya formatet
at your request, this script is going to take the evil action of uninstalling all your apps, which deletes your existing tables and data setup no På din begäran kommer detta script att avinstallera samtliga applikationer, vilket raderar befintliga tabeller och data
attempt to use correct mimetype for ftp instead of default 'application/octet-stream' setup no Försöka använda korrekt mime-typ för FTP istället för default 'application/octet-stream'
authentication / accounts setup no Autentisering / Konti
auto create account records for authenticated users setup no Skapa konton automatiskt för autenticerade användare
auto-created user accounts expire setup no Autoskapte brukerkonti forfaller
available version setup no Tilgjengelig versjon
back to the previous screen setup no Tilbake til foregående side
back to user login setup no Tilbake til brukerpålogging
back's up your db now, this might take a few minutes setup no Tar sikkerhetskopi av din database, dette kan ta noen minutter.
backup '%1' deleted setup no Sikkerhetskopi %1 slettet
backup '%1' renamed to '%2' setup no Sikkerhetskopi %1 omdøpt til %2
backup '%1' restored setup no Sikkerhetskopi %1 lest inn
backup and restore setup no Sikkerhetskopiering og tilbakelesing
backup failed setup no Sikkerhetskopi lyktes ikke
backup finished setup no Sikkerhetskopiering ferdig
backup now setup no Ta sikkerhetskopi nå
backup sets setup no backup-set
backup started, this might take a few minutes ... setup no Backup har påbörjats, kan ta några minuter
because an application it depends upon was upgraded setup no på grund av att en applikation som den var beroende av uppgraderats
because it depends upon setup no eftersom den är beroende av
because it is not a user application, or access is controlled via acl setup no eftersom det inte är en användarapplikation, eller för att åtkomst kontrolleras med en ACL
because it requires manual table installation, <br />or the table definition was incorrect setup no eftersom den kräver manuell installation av tabeller, <br />eller att tabelldefinitionen var inkorrekt
because it was manually disabled setup no eftersom den stängts av manuellt
because of a failed upgrade or install setup no eftersom uppgradering eller installation misslyckats
because of a failed upgrade, or the database is newer than the installed version of this app setup no eftersom uppgradering misslyckats, eller att databasen är nyare än den installerade versionen av denna applikation
because the enable flag for this app is set to 0, or is undefined setup no eftersom påkopplad-flaggan för denna applikation är satt till 0 eller är odefinerad
bottom setup no bunn
but we <u>highly recommend backing up</u> your tables in case the script causes damage to your data.<br /><strong>these automated scripts can easily destroy your data.</strong> setup no Men vi <u> rekommenderar starkt att du backar upp</u> dina tabeller utifall att installationen skulle råka förstöra data. <br /> <strong>Dessa automatiserade skript kan med lätthet förstöra data i dina tabeller!</strong>
cancel setup no Avbryt
cannot create the header.inc.php due to file permission restrictions.<br /> instead you can %1 the file. setup no Kan inte skapa header.inc.php-filen på grund av bristande behörighet.<br />Istället kan du %1 filen.
change system-charset setup no Ändra system-teckentabell
charset setup no iso-8859-1
charset to convert to setup no Teckentabell att konvertera till
check can only be performed, if called via a webserver, as the user-id/-name of the webserver is not known. setup no Kontrollen kan endast genomföras om den anropas via webserver, eftersom webserverns användarkonto inte är känt.
check installation setup no Kontrollere installasjonen
check ip address of all sessions setup no kontrollere ip-adresser for alla sessioner
checking extension %1 is loaded or loadable setup no Kontrollerer att utökning %1 är laddad eller går att ladda
checking file-permissions of %1 for %2 %3: %4 setup no Kontrollerer fil-tillatelser på %1 for %2 %3: %4
checking for gd support... setup no Kontrollerer GD-support...
checking php.ini setup no Kontrollerer php.ini
checking the egroupware installation setup no Kontrollerer eGroupWare-installasjonen
click <a href="index.php">here</a> to return to setup. setup no Klicka <a href="index.php">här</a> för att återgå till setup
click here setup no Klikk her
click here to re-run the installation tests setup no Klicka här för att kontrollera på nytt
completed setup no Klar
config password setup no Lösenord för konfiguration
config username setup no Användarnamn för konfiguration
configuration setup no Konfigurasjon
configuration completed setup no Konfigurasjon utført
configuration password setup no Konfigurationslösenord
configuration user setup no Konfigurationsanvändarnamn
configure now setup no Konfigurer nå
confirm to delete this backup? setup no Bekräfta borrtagning av backup?
contain setup no innehåller
continue setup no Fortsette
continue to the header admin setup no Fortsett till Header Admin
convert setup no Konvertere
could not open header.inc.php for writing! setup no Kunne ikke åpne header.inc.php for skrivning
country selection setup no Valg av land
create setup no Opprett
create a backup before upgrading the db setup no skapa backup före uppgradering av databas
create admin account setup no Opprette admin-konto
create database setup no Opprette database
create demo accounts setup no Opprette demokonti
create one now setup no Opprett en nå
create the empty database - setup no Skap den tomme databasen
create the empty database and grant user permissions - setup no Skapa den tomma databasen och tilldela användarkontot behörighet
create your header.inc.php setup no Opprett din header.inc.php
created setup no Opprettet
created header.inc.php! setup no Opprettet din header.inc.php!
creating tables setup no Oppretter tabeller
current system-charset setup no Nåværende system-karaktersett
current system-charset is %1, click %2here%3 to change it. setup no Nuvarande system-teckentabell är %1, klicka %2här%3 för att ändra
current version setup no Aktuell versjon
currently installed languages: %1 <br /> setup no Installerte språk: %1 <br />
database successfully converted from '%1' to '%2' setup no Database konvertert fra '%1' till '%2'
datebase setup no Database
datetime port.<br />if using port 13, please set firewall rules appropriately before submitting this page.<br />(port: 13 / host: 129.6.15.28) setup no Datetime-port.<br />Om du använder port 13, sätt brandväggsreglerna korrekt innan du trycker på Klar<br />(Port: 13 / Host 129.6.15.28)
day setup no dag
day of week<br />(0-6, 0=sunday) setup no ukedag<br />(0-6, 0=søndag)
db backup and restore setup no DB backup och restore
db host setup no DB tjener
db name setup no DB navn
db password setup no DB passord
db port setup no DB port
db root password setup no DB Root-passord
db root username setup no DB Root-brukernavn
db type setup no DB type
db user setup no DB bruker
default file system space per user/group ? setup no Standardutrymme i filsystemet per användare/grupp?
delete setup no Ta bort
delete all existing sql accounts, groups, acls and preferences (normally not necessary)? setup no Ta bort existerande SQL-konton, grupper, behörigheter och inställningar (normalt inte nödvändigt)?
delete all my tables and data setup no Ta bort alla eGW-tabeller och dess data
delete all old languages and install new ones setup no Ta bort samtliga språk och installer nye
deleting tables setup no Sletter tabeller
demo server setup setup no Oppsett for demotjener
deny access setup no Nekte adgang
deny all users access to grant other users access to their entries ? setup no Neka samtliga användare möjlighet att ge andra användare åtkomst till deras poster?
dependency failure setup no Avhengighetsfeil
deregistered setup no avregistrert
details for admin account setup no detaljer for Adminkonto
developers' table schema toy setup no Utviklernes Tabell skjema verktøy
did not find any valid db support! setup no Kunde inte hitta något giltigt databasstöd
do you want persistent connections (higher performance, but consumes more resources) setup no Vill du använda persistent connections? (bättre prestanda men använder fler systemresurser)
do you want to manage homedirectory and loginshell attributes? setup no Vill du hantera attribut för hemkatalog och skalprogram?
does not exist setup no eksisterer ikke
domain setup no Domene
domain name setup no Domenenavn
domain select box on login setup no Domenevalg ved pålogging
dont touch my data setup no Ikke rør mine data
download setup no Laste ned
edit current configuration setup no Rediger nåværende konfiguration
edit your existing header.inc.php setup no Rediger din eksisterende header.inc.php
edit your header.inc.php setup no Rediger din header.inc.php
egroupware administration manual setup no eGroupWare administrasjonsmanual
enable for extra debug-messages setup no visa extra debug-meddelanden
enable ldap version 3 setup no Muliggjør LDAP version 3
enable mcrypt setup no Muliggjør MCrypt
enter some random text for app session encryption setup no Skriv in lite slumpmässig text för kryptering av sessionsinformation
enter some random text for app_session <br />encryption (requires mcrypt) setup no Skriv in lite slumpmässig text för<br />kryptering av sessionsinformation (kräver MCrypt)
enter the full path for temporary files.<br />examples: /tmp, c:\temp setup no Ange fullständig sökväg för temp-filer <br />T ex: /tmp, c:\temp
enter the full path for users and group files.<br />examples: /files, e:\files setup no Ange fullständig sökväg för användar- och gruppfiler <br />T ex: /files, e:\files
enter the full path to the backup directory.<br />if empty: files directory setup no Ange fullständig sökväg för backupkatalog <br />om tomt: samma som användarfiler
enter the hostname of the machine on which this server is running setup no Ange hostnamn för maskinen som kör denna server
enter the location of egroupware's url.<br />example: http://www.domain.com/egroupware &nbsp; or &nbsp; /egroupware<br /><b>no trailing slash</b> setup no Ange eGroupWare:s URL.<br />T ex: http://www.doman.com/egroupware eller /egroupware<br /><b>Ingen avslutande slash</b>
enter the site password for peer servers setup no Ange sitelösenord för peer-servers
enter the site username for peer servers setup no Ange siteanvändarnamn för peer-servers
enter the title for your site setup no Ange titel för din webbplats
enter your default ftp server setup no Ange default FTP-server
enter your http proxy server setup no Ange din HTTP-proxy
enter your http proxy server password setup no Ange lösenord till din HTTP-proxy
enter your http proxy server port setup no Ange potnummer till din HTTP-proxy
enter your http proxy server username setup no Ange Användarnamn till din HTTP-proxy
error in admin-creation !!! setup no Fel vid skapande av Admin-konto
error in group-creation !!! setup no Fel vid skapande av grupp
export egroupware accounts from sql to ldap setup no Exportera eGroupWare-konton från SQL till LDAP
export has been completed! you will need to set the user passwords manually. setup no Exporten slutförd! Du måste manuellt sätta användarnas lösnord
export sql users to ldap setup no Exportera användarkonton från SQL till LDAP
false setup no Falsk
file setup no Fil
file type, size, version, etc. setup no Filtyp, storlek, version, etc.
filename setup no Filnavn
for a new install, select import. to convert existing sql accounts to ldap, select export setup no För nyinstallation, välj import. Vör att konvertera existerande SQL-konton till LDAP, välj Export
force selectbox setup no Listerute
found existing configuration file. loading settings from the file... setup no Fann existerande konfigurationsfil. Läser in intällningar från filen.
go back setup no Tilbake
go to setup no Gå till
grant access setup no Gi tilgang
has a version mismatch setup no har versionsdifferanse
header admin login setup no Header Admin pålogging
header password setup no Header passord
header username setup no Header brukernavn
historylog removed setup no Historiklogg fjernet
hooks deregistered setup no hooks avregistrert
hooks registered setup no hooks registrerte
host information setup no Tjener-informasjon
host/ip domain controler setup no Tjener/IP Domenekontroller
hostname/ip of database server setup no Tjenernavn/IP for databaseserver
hour (0-24) setup no Time (0-24)
however, the application is otherwise installed setup no Programmet er fortsatt installert
however, the application may still work setup no Det kan hende programmet fortsatt virker
if no acl records for user or any group the user is a member of setup no Om inga åtkomstregler finns för användaren eller de grupper användaren är medlem av
if safe_mode is turned on, egw is not able to change certain settings on runtime, nor can we load any not yet loaded module. setup no Om Safe Mode är aktiverat kan inte eGW ändra vissa inställningar medans den kör, eller ladda en modul som inte redan är laddad.
if the application has no defined tables, selecting upgrade should remedy the problem setup no Om applikationen saknar definerade tabeller bör du välja att uppgradera den.
if using ads (active directory) authentication setup no Dersom det benyttes ADS (Active Directory) autentisering.
if using ldap setup no Om LDAP används
if using ldap, do you want to manage homedirectory and loginshell attributes? setup no Om LDAP används, vill du hantera attribut för hemktalog och programskal?
if you did not receive any errors, your applications have been setup no Om du inte såg några fel så har dina applikationer blivit
if you did not receive any errors, your tables have been setup no Om du inte såg några fel så har dina tabeller blivit
if you running this the first time, don't forget to manualy %1 !!! setup no Om du kör detta fö första gången, glöm inte att manuellt %1!
if you use only languages of the same charset (eg. western european ones) you dont need to set a system-charset! setup no Om du bara använder språk med samma teckentabell behöver du inte ställa in systemteckentabell
image type selection order setup no Ordning för bildtypsval
import accounts from ldap to the egroupware accounts table (for a new install using sql accounts) setup no Impotera konton från LDAP till din eGroupWare tabell (för nya installationer som skall använda SQL-baserade konton
import has been completed! setup no Importen hav slutförts
import ldap users/groups setup no Import av LDAP användare/grupper
importing old settings into the new format.... setup no Importerar gamla inställningar till nytt format
include root (this should be the same as server root unless you know what you are doing) setup no Inkludera root (detta bör vara samma som Server Root, om du nu inte vet vad du gör)
include_path need to contain "." - the current directory setup no iclude_path måste innehålla "." (current directory)
install setup no Installere
install all setup no Installer alle
install applications setup no Installer programmer
install backup setup no Installer sikkerhetskopi
install language setup no Installer språk
installed setup no Installerte
instructions for creating the database in %1: setup no Instruksjoner for å skape databasen i %1:
invalid ip address setup no Ugyldig IP-adresse
invalid password setup no Ugyldig passord
is broken setup no er brutt
is disabled setup no er avslått
is in the webservers docroot setup no är i webserverns dokumentrot
is not writeable by the webserver setup no är inte skrivbar av webservern
ldap account import/export setup no Import/export av LDAP konton
ldap accounts configuration setup no LDAP kontokonfigurasjon
ldap accounts context setup no LDAP-kontekst för konti
ldap config setup no LDAP-konfigurasjon
ldap default homedirectory prefix (e.g. /home for /home/username) setup no LDAP default hemkatalogsprefix (dvs /home för /home/username)
ldap default shell (e.g. /bin/bash) setup no LDAP default skal (dvs /bin/bash)
ldap encryption type setup no LDAP krypteringstyp
ldap export setup no LDAP eksport
ldap export users setup no LDAP användarexport
ldap groups context setup no LDAP Gruppekontekst
ldap host setup no LDAP tjener (server)
ldap import setup no LDAP import
ldap import users setup no LDAP användarimport
ldap modify setup no LDAP modifisering
ldap root password setup no LDAP root passord
ldap rootdn setup no LDAP rootdn
ldap search filter for accounts, default: "(uid=%user)", %domain=egw-domain setup no LDAP sökfilter för konton, default: "(uid=%user)", %domain=eGW-domain
limit access to setup to the following addresses, networks or hostnames (e.g. 127.0.0.1,10.1.1,myhost.dnydns.org) setup no Begränsa åtkomst till följande adresser, nätverk eller hostnamn (dvs 127.0.0.1,192.168.1,frodo.mydomain.org
login to mysql - setup no login till mysql -
logout setup no logg ut
make sure that your database is created and the account permissions are set setup no Förvissa dig om att din databas är skapad, och att åtkomst är konfigurerad rätt
manage applications setup no Håndtere programmer
manage languages setup no Håndtere språk
max_execution_time is set to less than 30 (seconds): egroupware sometimes needs a higher execution_time, expect occasional failures setup no max_execution_time är satt till mindre än 30 sekunder. eGroupWare behöver ibland mer tid på sig. Förvänta dig problem emellanåt.
maximum account id (e.g. 65535 or 1000000) setup no Maximalt kontoID (dvs 65535 eller 1000000)
may be broken setup no kan være brutt
mcrypt algorithm (default tripledes) setup no Algoritme for MCrypt (default 3DES)
mcrypt initialization vector setup no MCrypt initialisasjonsvektor
mcrypt mode (default cbc) setup no MCrypt-läge (Default CBC)
mcrypt settings (requires mcrypt php extension) setup no MCryptinställningar (kräver mcrypt PHP extension)
mcrypt version setup no MCrypt-versjon
memory_limit is set to less than 16m: some applications of egroupware need more than the recommend 8m, expect occasional failures setup no memory_limit är satt till mindre än 16MB. En del applikationer i eGroupWare kräver mer än de rekommenderade 8 MB. Förvänta dig problem emellanåt.
minimum account id (e.g. 500 or 100, etc.) setup no Minimum kontoID (dvs 500 eller 100 t ex)
minute setup no Minutt
modifications have been completed! setup no Förändringarna genomförda
modify setup no Förändra
modify an existing ldap account store for use with egroupware (for a new install using ldap accounts) setup no Modifiera en existerande LDAP kontolagring för användning med eGroupWare (för nyinstalation av eGroupWare med LDAP)
month setup no måned
multi-language support setup setup no Multispråksstöd
name of database setup no Navn på database
name of db user egroupware uses to connect setup no Namnet på det användarkonto EgroupWare skall använda för att ansluta till databasen
never setup no Aldri
new setup no Ny
next run setup no Neste kjøring
no setup no Nei
no %1 support found. disabling setup no Ingen %1 support funnet. Kobler fra
no accounts existing setup no Det finnes ingen konti
no algorithms available setup no Det finnes ingen algoritmer
no modes available setup no Inga lägen tillgängliga
no xml support found. disabling setup no Ikke støtte for XML, kobler fra
not setup no ikke
not all mcrypt algorithms and modes work with egroupware. if you experience problems try switching it off. setup no Inte alla mcrypt-algoritmer och lägen fungerar med eGroupWare. Om du upplever problem bör du testa att inaktivera stödet.
not complete setup no Ikke ferdig
not completed setup no Ikke ferdigstilt
not ready for this stage yet setup no Ikke klar for dette stadiet ennå
not set setup no Ikke satt
note: you will be able to customize this later setup no Note: Du kan forandre dette siden
now guessing better values for defaults... setup no Gissar nu bättre värden för default...
ok setup no OK
once the database is setup correctly setup no När väl databasen är korrekt inställd
one month setup no en måned
one week setup no en uke
only add languages that are not in the database already setup no Legg bare til språk som ikke finnes i databasen allerede.
only add new phrases setup no Legg bare til nye fraser
or setup no eller
or %1continue to the header admin%2 setup no eller %1fortsätt till Header Admin%2
or http://webdav.domain.com (webdav) setup no eller http://webdav.domain.com (WebDAV)
or we can attempt to create the database for you: setup no Eller kan vi försöka skapa databasen åt dig:
or you can install a previous backup. setup no Eller installera en tidigare gjord backup
password needed for configuration setup no Lösenord behövs för konfiguration
password of db user setup no Lösenord för DB användaren
passwords did not match, please re-enter setup no Lösenorden var inte identiska, försök igen
path information setup no Søkestisinformasjon
path to user and group files has to be outside of the webservers document-root!!! setup no Sökväg till användar- och gruppfiler MÅSTE LIGGA UTANFÖR webserverns dokumentrot.
persistent connections setup no Ständig koppling (Persistent connections)
php plus restore setup no PHP Plus tilbakekopiering
please check for sql scripts within the application's directory setup no Vänligen leta efter sql-skript inom applikationskatalogen
please check read/write permissions on directories, or back up and use another option. setup no Var vänlig kontrollera läs/skrivrättighet på katalogerna, eller ta backup och använd ett annat alternativ
please configure egroupware for your environment setup no Var vänlig och konfigurera eGroupWare för din miljö
please consult the %1. setup no Var vänlig konsultera %1
please fix the above errors (%1) and warnings(%2) setup no Var vänlig fixa fel (%1) och varningar (%2)
please install setup no Var vänlig installera
please login setup no Var vänlig och logga in
please login to egroupware and run the admin application for additional site configuration setup no Var vänlig och logga in i eGroupWare och kör admin-applikationen för ytterligare konfiguration
please make the following change in your php.ini setup no Var vänlig gör följande förändringar i din php.ini
please wait... setup no Vennligst vent...
possible reasons setup no Möjliga anledningar
possible solutions setup no Mulige løsninger
post-install dependency failure setup no Efterinstallation har Beroendefel
potential problem setup no Potensielt problem
preferences setup no Preferanser
problem resolution setup no Problemets løsning
process setup no Prosess
re-check my database setup no Kontroller databasen på nytt
re-check my installation setup no Kontroller installasjonen på nytt
re-enter password setup no Skriv inn passord igen
read translations from setup no Läs översättningar från
readable by the webserver setup no läsbar av webservern
really uninstall all applications setup no Vill du verkligen avinstallera samtliga installationer
recommended: filesystem setup no Anbefalt: Filsystem
register_globals is turned on, egroupware does not require it and it's generaly more secure to have it turned off setup no register_globals är PÅslagen, eGroupWare kräver inte det och det är säkrare med det AVslaget.
registered setup no registrert
rejected lines setup no Ej godtagna rader
remove setup no Fjerne
remove all setup no Fjern alle
rename setup no Gi nytt navn
requires reinstall or manual repair setup no Kräver ominstallation eller manuell reparation
requires upgrade setup no Krever oppgradering
resolve setup no Løser
restore setup no Tilbakestille
restore failed setup no Återställning misslyckades
restore finished setup no Återställning klar
restore started, this might take a few minutes ... setup no återställning startad, detta kan ta några minuter...
restoring a backup will delete/replace all content in your database. are you sure? setup no Återställning av backup kommer att radera/ersätta allt innehåll i databasen. Är du säker?
return to setup setup no Gå tilbake til Setup
run installation tests setup no Start installasjonstester
safe_mode is turned on, which is generaly a good thing as it makes your install more secure. setup no safe_mode är PÅslaget, vilket generellt är bra eftersom det gör installationen säkrare.
sample configuration not found. using built in defaults setup no demo-konfiguration ej hittad, använder inbyggda defaults
save setup no Lagre
save this text as contents of your header.inc.php setup no Spara denna text som innehållet i din header.inc.php
schedule setup no Planlegg
scheduled backups setup no Planlagte sikkerhetskopier
select an app, enter a target version, then submit to process to that version.<br />if you do not enter a version, only the baseline tables will be installed for the app.<br /><blink>this will drop all of the apps' tables first!</blink> setup no Välj en applikation, ange målversion, tryck sedan verkställ för att processa den versionen<br /> om du inte anger version kommer bara grudtabellerna att installeras för denna applikation <br /> <blink>Detta kommer att ta bort applikationens alla tabeller först</blink>
select one... setup no Velg en...
select the default applications to which your users will have access setup no Välj vilka applikationer användare skall ha access till default
select the desired action(s) from the available choices setup no Välj återgärder från listan nedan
select to download file setup no Velg for å laste ned en fil
select where you want to store/retrieve file contents setup no Välj hur du vill lagra filinnehåll
select where you want to store/retrieve filesystem information setup no välj hur du vill lagra filsystemsinformation
select where you want to store/retrieve user accounts setup no Välje hur du vill lagra användarkonton
select which group(s) will be exported (group membership will be maintained) setup no Välj vilka grupper som skall exporteras (gruppmedlemsskap bibehålls)
select which group(s) will be imported (group membership will be maintained) setup no Väljvilka grupper som skall importeras (gruppmedlemsskap bibehålls)
select which group(s) will be modified (group membership will be maintained) setup no Välj vilka grupper som skall ändras (gruppmedlemsskap bibehålls)
select which languages you would like to use setup no Velg hvilke språk som skal være tilgjengelige
select which method of upgrade you would like to do setup no Välj vilken uppgraderingsmetod du vill använda
select which type of authentication you are using setup no Välj vilken typ av autenticering du vill använda
select which user(s) will also have admin privileges setup no Välj vilka användare som också skall ha admin-behörighet
select which user(s) will be exported setup no Välj vilka användare som skall exporteras
select which user(s) will be imported setup no Välj vilka användare som skall importeras
select which user(s) will be modified setup no Välj vilka användare som skall ändras
select which user(s) will have admin privileges setup no Välj vilka användare som skall ha adminbehörighet
select your old version setup no Välj den gamla versionen
selectbox setup no Listerute
server root setup no Server root
sessions type setup no Sessionstype
set setup no ställ in
set this to "old" for versions &lt; 2.4, otherwise the exact mcrypt version you use. setup no sätt denna till Äldre för versioner < 2.4, annars den exakta versionen av mcrypt du har.
setting the system-charset to utf-8 (unicode) allows the coexistens of data from languages of different charsets. setup no Sättande av systemteckentabell till UTF-8(Unicode) tillåter samexeistens av data med flera olika språk.
settings setup no Innstillinger
setup setup no Oppsett
setup demo accounts in ldap setup no Installera demokonton till LDAP
setup main menu setup no Oppsett hovedmeny
setup the database setup no Databasekonfigurasjon
setup/config admin login setup no Sätt upp/Konfigurera Admin login
show 'powered by' logo on setup no Vis "Powered by"-logo
size setup no Str.
some or all of its tables are missing setup no Några eller samtliga av dess tabeller saknas
sql encryption type setup no SQL krypteringstyp för Lösenord (default: MD5)
start the postmaster setup no Starta postmaster
status setup no Status
step %1 - admin account setup no Steg %1 - Adminkontot
step %1 - advanced application management setup no Steg %1 - Avancerad applikationshantering
step %1 - configuration setup no Steg %1 - Konfiguration
step %1 - db backup and restore setup no Steg %1 - Backup och återställning
step %1 - language management setup no Steg %1 - Språkhantering
step %1 - simple application management setup no Steg %1 - Enkel applikationshantering
succesfully uploaded file %1 setup no Uppladdning av filen %1 lyckades
table change messages setup no Tabellförändringsmeddelanden
tables dropped setup no Tabeller fjernet
tables installed, unless there are errors printed above setup no Tabeller färdiginstallerade, om det inte meddelades fel ovan
tables upgraded setup no tabeller oppgraderte
target version setup no Målversion
tcp port number of database server setup no TCP-port för databasserver
text entry setup no Tekstfelt
the %1 extension is needed, if you plan to use a %2 database. setup no %1 utökningen behövs, om du vill använda en %2 databas
the db_type in defaults (%1) is not supported on this server. using first supported type. setup no db_type i defaults (%1) supportas inte på denna server. Använder den första supportade typen
the file setup no filen
the first step in installing egroupware is to ensure your environment has the necessary settings to correctly run the application. setup no Det första steget i en installation av eGroupWare är att försäkra sig att allt är rätt inställt för eGroupWare
the following applications need to be upgraded: setup no Följande applikationer behöver uppgraderas:
the imap extension is needed by the two email apps (even if you use email with pop3 as protocoll). setup no imap-utökningen behövs av de två mailapplikationerna (även om du tänker använda pop3)
the mbstring extension is needed to fully support unicode (utf-8) or other multibyte-charsets. setup no mbstring-utökningen behövs för att fullt ut kunna stödja Unicode (UTF-8) eller andra multi-byte teckenuppsättningar
the mbstring.func_overload = 7 is needed to fully support unicode (utf-8) or other multibyte-charsets. setup no mbstring.func_overload = 7 behövs för att fullt ut kunna stödja Unicode (UTF-8) eller andra multi-byte teckenuppsättningar
the table definition was correct, and the tables were installed setup no Tabelldefinitionen var korrekt och tabellerna installerades
the tables setup no Tabellene
there was a problem trying to connect to your ldap server. <br /> setup no Det uppstod problem med att kontakta din LDAP-server. <br />
there was a problem trying to connect to your ldap server. <br />please check your ldap server configuration setup no Det uppstod problem med att kontakta din LDAP-server.<br />kontrollera din LDAP serverkonfiguration
this has to be outside the webservers document-root!!! setup no Måste ligga utanför webserverns dokumentrot!!!
this might take a while, please wait ... setup no Dette kan ta sin tid, vennligst vent ...
this program lets you backup your database, schedule a backup or restore it. setup no Detta program låter dig backa upp din databas, schemalägga en backup eller återställa en backup.
this program will convert your database to a new system-charset. setup no Detta program låter dig konvertera din databas till en ny systemteckentabell
this program will help you upgrade or install different languages for egroupware setup no Detta program hjälper dig att installera eller uppgradera de språk du vill använda i eGroupWare
this section will help you export users and groups from egroupware's account tables into your ldap tree setup no Denna sektion hjälper dig exportera användare och grupper från eGroupWares tabeller till ett LDAP-träd
this section will help you import users and groups from your ldap tree into egroupware's account tables setup no Denna sektion hjälper dig att importera användare och grupper från ditt LDAP-träd till eGroupWares tabeller
this section will help you setup your ldap accounts for use with egroupware setup no Denna sektion hjälper dig ställa in dina LDAP-konton för användning i eGroupWare
this should be around 30 bytes in length.<br />note: the default has been randomly generated. setup no Detta bör vara ca 30 bytes i längd. <br />Not: Default är slumpmässigt genererat.
this stage is completed<br /> setup no Dette stadiet er klart
to a version it does not know about setup no til en ukjent versjon
to setup 1 admin account and 3 demo accounts. setup no för att skapa ett adminkonto och tre demokonton
top setup no Topp
translations added setup no Översättningar tillagda
translations removed setup no Översättningar borttagna
translations upgraded setup no Översättningar uppgraderade
true setup no Sant
try to configure your php to support one of the above mentioned dbms, or install egroupware by hand. setup no Försök konfigurera php att stödja någon av databaserna ovan, eller installera eGroupWare för hand.
two weeks setup no to uker
uninstall setup no Avinstallere
uninstall all applications setup no Avinstallera samtliga applikationer
uninstalled setup no Avinstallerte
upgrade setup no Oppgradere
upgrade all setup no Oppgradere alle
upgraded setup no Oppgarderte
upgrading tables setup no Oppgraderer tabeller
upload backup setup no ladda upp backup
uploads a backup and installs it on your db setup no laddar upp en backup och installerar den i din databas
uploads a backup to the backup-dir, from where you can restore it setup no Laddar upp backupen till backup-katalogen, från vilken du kan återställa den.
use cookies to pass sessionid setup no Använd cookies för att lagra sessionid
use pure html compliant code (not fully working yet) setup no Använd ren HTML compliant kod (fungerar inte korrekt ännu)
user account prefix setup no användarkontoprefix
usernames are casesensitive setup no Användarnamn är skiftläges-känsliga
users choice setup no Brukervalg
utf-8 (unicode) setup no UTF-8 (Unicode)
version setup no versjon
version mismatch setup no Versjonsfeil
view setup no Vis
warning! setup no Advarsel!
we can proceed setup no Vi kan fortsette
we will automatically update your tables/records to %1 setup no Vi kommer automatiskt att uppdatera dina tabeller/poster till %1
we will now run a series of tests, which may take a few minutes. click the link below to proceed. setup no Vi kör nu ett antal teste vilket kan ta några minuter. Klicka på länken nedan för att fortsätta
welcome to the egroupware installation setup no Välkommen till installation av eGroupWare
which database type do you want to use with egroupware? setup no Vilken typ av databas vill du använda med eGroupWare?
world readable setup no Lesbar av alle (world readable)
world writable setup no Skrivbar av alle (world writable)
would you like egroupware to cache the phpgw info array ? setup no Vill du att eGroupWare skall cacha phpgw info array?
would you like egroupware to check for a new version<br />when admins login ? setup no Vill du att eGroupWare skall kontrollera om det finns nya versioner<br />när admin loggar in?
would you like to show each application's upgrade status ? setup no Vill du visa varje applikations uppgraderingsstatus?
writable by the webserver setup no Skrivbar av nettstedstjeneren
write config setup no Skriv konfigurasjon
year setup no år
yes setup no Ja
yes, with lowercase usernames setup no Ja, med brukernavn i små bokstaver
you appear to be running a pre-beta version of egroupware.<br />these versions are no longer supported, and there is no upgrade path for them in setup.<br /> you may wish to first upgrade to 0.9.10 (the last version to support pre-beta upgrades) <br />and then upgrade from there with the current version. setup no Du verkar köra en pre-beta version av eGroupWare.<br />Dessa versioner stöds inte längre och det finns ingen uppgraderingsväg via setup.<br />Du måste först uppgradera till 0.9.10(sista versionen som stödde detta)<br /> och sedan uppgradera igen med denna version.
you appear to be running an old version of php <br />it its recommend that you upgrade to a new version. <br />older version of php might not run egroupware correctly, if at all. <br /><br />please upgrade to at least version %1 setup no Du verkar köra en äldre version av PHP.<br />Det är rekommenderat att du uppgraderar till en nyare version.<br />Äldre versioner av PHP kanske inte kör eGroupWare korrekt, om alls.<br /><br />Du rekommenderas starkt att uppgradera till åtminstone version %1
you appear to be running version %1 of egroupware setup no Du verkar köra version %1 av eGroupWare
you appear to be using php earlier than 4.1.0. egroupware now requires 4.1.0 or later setup no Du verkar köra en äldre version av PHP än 4.1.0. eGroupWare kräver PHP 4.1.0 eller senare.
you appear to have %1 support. setup no Du synes å ha %1 support
you appear to have xml support enabled setup no Du synes å ha støtte for XML aktivert
you are ready for this stage, but this stage is not yet written.<br /> setup no Du är redo för detta stadium, men detta stadium är inte skrivet ännu.<br />
you didn't enter a config password for domain %1 setup no Du angav inget config-lösenord för domän %1
you didn't enter a config username for domain %1 setup no Du angav inget config-användarnamn för domän %1
you didn't enter a header admin password setup no Du angav inget header admin-lösenord
you didn't enter a header admin username setup no Du angav inget header admin-användarnamn
you do not have any languages installed. please install one now <br /> setup no Du har för närvarande inga språk installerade. Var vänlig installera ett nu<br />
you have not created your header.inc.php yet!<br /> you can create it now. setup no Du har inte skapat din header.php.inc ännu!<br />Du kan skapa den nu.
you have successfully logged out setup no Du har nu loggat ut.
you must enter a username for the admin setup no Du måste ange ett lösenord för admin
you need to add some domains to your header.inc.php. setup no Du måste lägga till några domäner till din header.inc.php
you need to select your current charset! setup no Du må velge tegnsett!
you should either uninstall and then reinstall it, or attempt manual repairs setup no Du måste antingen avinstallera och installera om, eller reparera manuellt.
you will need to load the proper schema into your ldap server - see phpgwapi/doc/ldap/readme setup no Du behöver ladda ett korrekt schema i din LDAP-server - se <a href="../phpgwapi/doc/ldap/README" target="_blank">phpgwapi/doc/ldap/README</a>
you're using an old configuration file format... setup no Du använder ett äldre konfigurationsfilformat...
you're using an old header.inc.php version... setup no Du använder en gammal header.inc.php version...
your applications are current setup no Dina applikationer är aktuella
your backup directory '%1' %2 setup no Din backupkatalog '%1' %2
your database does not exist setup no Databasen din finnes ikke
your database is not working! setup no Databasen din fungerer ikke!
your database is working, but you dont have any applications installed setup no Din database fungerer men du har ingen installerte program.
your files directory '%1' %2 setup no din filkatalog '%1' %2
your header admin password is not set. please set it now! setup no Ditt header admin-lösenord är inte satt. Skriv in det nu!
your header.inc.php needs upgrading. setup no Din header.inc.php må oppgraderes.
your header.inc.php needs upgrading.<br /><blink><b class="msg">warning!</b></blink><br /><b>make backups!</b> setup no Din header.inc.php behöver uppgraderas<br /><blink><b class="msg">VARNING!</b></blink><br /><b>TA BACKUP!</b>
your php installation does not have appropriate gd support. you need gd library version 1.8 or newer to see gantt charts in projects. setup no Din PHP-installation saknar korrekt GD-stöd. Du behöver GD-library version 1.8 eller bättre om du vill använda Gantt-diagram i Projekt
your tables are current setup no Dina tabeller är aktuella
your tables will be dropped and you will lose data setup no Dina tabeller kommer att tas bort och du förlorar data!!
your temporary directory '%1' %2 setup no Din temporære katalog '%1' %2

552
setup/lang/phpgw_pt-br.lang Normal file
View File

@ -0,0 +1,552 @@
%1 does not exist !!! setup pt-br %1 não existe!!!
%1 is %2%3 !!! setup pt-br %1 é %2%3 !!!
(searching accounts and changing passwords) setup pt-br (procurando contas e alterando senhas)
*** do not update your database via setup, as the update might be interrupted by the max_execution_time, which leaves your db in an unrecoverable state (your data is lost) !!! setup pt-br Não atualize sua base de dados usando o configurador, já que a atualização pode ser interrompida pelo limite máximo de tempo seu servidor. Isto pode deixar sua base de dados em uma situação irrecuperável, provocando perda de dados.
*** you have to do the changes manualy in your php.ini (usualy in /etc on linux) in order to get egw fully working !!! setup pt-br Você terá que modificar seu php.ini manualmente (normalmente em /etc) antes que o eGroupWare esteja completamente operacional.
00 (disable) setup pt-br 00 (desabilitado / recomendado)
13 (ntp) setup pt-br 13 (ntp)
80 (http) setup pt-br 80 (http)
<b>charset to use</b> (use utf-8 if you plan to use languages with different charsets): setup pt-br <b>codificação de caracteres</b> (use utf-8 se você pretende usar linguagens com diferentes codificações.
<b>this will create 1 admin account and 3 demo accounts</b><br />the username/passwords are: demo/guest, demo2/guest and demo3/guest. setup pt-br <b>Isto irá criar 1 conta de administrador e 3 contas demo</b><br />Os usuários/senhas são: demo/guest, demo2/guest and demo3/guest.
accounts existing setup pt-br Contas existentes
actions setup pt-br Ações
activate save password check setup pt-br Ativar salvamento de senhas
add auto-created users to this group ('default' will be attempted if this is empty.) setup pt-br Adicionar usuários criados automaticamente para este grupo (o grupo 'Padrão' será utilizado se este campo estiver vazio.)
add new database instance (egw domain) setup pt-br Adicionar nova base de dados (domínio eGW )
additional settings setup pt-br Configurações Adicionais
admin first name setup pt-br Primeiro nome do Administrador
admin last name setup pt-br Último nome do Administrador
admin password setup pt-br Senha do Administrador
admin password to header manager setup pt-br Senha de administração para o gerenciador do arquivo header
admin user for header manager setup pt-br Usuário de administração para o gerenciador do arquivo header
admin username setup pt-br usuário para administração
admins setup pt-br Administradores
after backing up your tables first. setup pt-br Após fazer backup de suas tabelas.
after retrieving the file, put it into place as the header.inc.php. then, click "continue". setup pt-br Depois de recuperar o arquivo, coloque-o no lugar como header.inc.php e clique em "continuar"
all applications setup pt-br Todos aplicativos
all core tables and the admin and preferences applications setup pt-br Todas as tabelas principais e os aplicativos de administração e preferências
all languages (incl. not listed ones) setup pt-br Todos os idiomas (incluindo os não listados)
all users setup pt-br Todos usuários
allow authentication via cookie setup pt-br Permitir autenticação via cookie
allow password migration setup pt-br Permitir migração de senhas
allowed migration types (comma-separated) setup pt-br Tipos permitidos de migração (separados por vírgula)
analysis setup pt-br Análise
and reload your webserver, so the above changes take effect !!! setup pt-br AND reinicie seu servidor Web, de forma que as mudanças acima surtam efeito !!!
app details setup pt-br Detlhes do aplicativo
app install/remove/upgrade setup pt-br instalação/remoção/atualização de Aplicativos
app process setup pt-br Processos de Aplicativos
application data setup pt-br Dados de Aplicativos
application list setup pt-br Lista de Aplicativos
application management setup pt-br Gerenciamento de Aplicativos
application name and status setup pt-br Nome e Status do Aplicativo
application name and status information setup pt-br Informação do Nome e Status do Aplicativo
application title setup pt-br Título do Aplicativo
application: %1, file: %2, line: "%3" setup pt-br Aplicativo: %1, Arquivo: %2, LInha: "%3"
are you sure you want to delete your existing tables and data? setup pt-br Você tem certeza que deseja apagar suas tabelas e dados?
are you sure? setup pt-br VOCÊ TEM CERTEZA ?
at your request, this script is going to attempt to create the database and assign the db user rights to it setup pt-br A seu pedido, este script irá tentar criar a base de dados e definir as permissões de acesso ao usuário.
at your request, this script is going to attempt to install a previous backup setup pt-br Ao seu pedido, este script tentará instalar um backup anterior.
at your request, this script is going to attempt to install the core tables and the admin and preferences applications for you setup pt-br A seu pedido, este script irá tentar instalar as tabelas principais e os Aplicativos de Administração e Preferências.
at your request, this script is going to attempt to upgrade your old applications to the current versions setup pt-br A seu pedido, este script irá tentar atualizar seus aplicativos com as versões mais recentes.
at your request, this script is going to attempt to upgrade your old tables to the new format setup pt-br A seu pedido, este script irá tentar atualizar as tabelas do banco de dados para o novo formato
at your request, this script is going to take the evil action of deleting your existing tables and re-creating them in the new format setup pt-br A seu pedido, este script irá remover as tabelas do banco de dados e criá-las no novo formato
at your request, this script is going to take the evil action of uninstalling all your apps, which deletes your existing tables and data setup pt-br A seu pedido, este script irá desinstalar todas suas aplicações, removendo as tabelas do banco de dados e seus dados
attempt to use correct mimetype for ftp instead of default 'application/octet-stream' setup pt-br Tentar usar o mimetype correto para FTP ao invés do padrão 'application/octet-stream'
authentication / accounts setup pt-br Autenticação / Contas
auto create account records for authenticated users setup pt-br Criar contas de usuários automaticamente para usuários autenticados
auto-created user accounts expire setup pt-br Usuários criados automaticamente expiram em
available version setup pt-br Versão Disponível
back to the previous screen setup pt-br Voltar a tela anterior
back to user login setup pt-br Voltar a tela de conexão
back's up your db now, this might take a few minutes setup pt-br Fazer backup de sua base de dados agora. Isto pode demorar alguns minutos...
backup '%1' deleted setup pt-br Backup '%1' removido
backup '%1' renamed to '%2' setup pt-br Backup '%1' renomeado para '%2'
backup '%1' restored setup pt-br Backup '%1' restaurado
backup and restore setup pt-br Backup e Restauração
backup failed setup pt-br Backup falhou
backup finished setup pt-br Backup terminou
backup now setup pt-br Fazer backup agora
backup sets setup pt-br Configurações de backup
backup started, this might take a few minutes ... setup pt-br Backup iniciado. Isto pode demorar alguns minutos...
because an application it depends upon was upgraded setup pt-br Porque um aplicativo que ele depende foi atualizado
because it depends upon setup pt-br pois depende de
because it is not a user application, or access is controlled via acl setup pt-br porque não é uma aplicação de usuário ou o acesso é controlado através das regras de acesso
because it requires manual table installation, <br />or the table definition was incorrect setup pt-br porque requer instalação das tabelas do banco de dados manualmente, <br />ou a definição da tabela está incorreta
because it was manually disabled setup pt-br porque foi desabilitado manualmente
because of a failed upgrade or install setup pt-br devido a uma falha na atualização ou instalação
because of a failed upgrade, or the database is newer than the installed version of this app setup pt-br devido a uma falha na atualização, ou a base de dados é mais nova que a versão instalada desta aplicação
because the enable flag for this app is set to 0, or is undefined setup pt-br porque o campo de habilitação (flag) desta aplicação está definido como 0, ou está indefinido
bottom setup pt-br Inferior
but we <u>highly recommend backing up</u> your tables in case the script causes damage to your data.<br /><strong>these automated scripts can easily destroy your data.</strong> setup pt-br é <u>altamente recomendável</u> fazer uma cópia de segurança das tabelas do banco de dados caso o script danifique seus dados. <br /><strong>Estes scripts automáticos podem destruir seus dados facilmente</strong>
cancel setup pt-br Cancelar
cannot create the header.inc.php due to file permission restrictions.<br /> instead you can %1 the file. setup pt-br Não foi possível criar o header.inc.php devido a restrições no acesso ao arquivo.<br /> Em vez disso você deve %1 o arquivo.
change system-charset setup pt-br Trocar o Conjunto de Carcteres do Sistema
charset setup pt-br iso-8859-1
charset to convert to setup pt-br Conjuto de Caracteres destino
check can only be performed, if called via a webserver, as the user-id/-name of the webserver is not known. setup pt-br Verificação só pode ser realizada se chamada via servidor web, já que o código e nome do usuário do servidor web não é conhecido.
check installation setup pt-br Verificar a instalação
check ip address of all sessions setup pt-br Verificar endereço IP de todas sessões
checking extension %1 is loaded or loadable setup pt-br Verificando se a extensão %1 está carregada ou pode ser carregada
checking file-permissions of %1 for %2 %3: %4 setup pt-br Verificando permissões de arquivo de %1 para %2 %3: %4
checking for gd support... setup pt-br Verificando suporte à biblioteca GD...
checking pear%1 is installed setup pt-br Verificando se PEAR %1 está instalado
checking php.ini setup pt-br Verificando php.ini
checking required php version %1 (recommended %2) setup pt-br Verificando versão do PHP requerida %1 (recomandada %2)
checking the egroupware installation setup pt-br Verificando a instalação do eGroupWare
click <a href="index.php">here</a> to return to setup. setup pt-br Clique <a href="index.php">aqui</a> para voltar ao configurador
click here setup pt-br Clique aqui
click here to re-run the installation tests setup pt-br Clique aqui para re-executar os testes de instalação
completed setup pt-br COMPLETO
config password setup pt-br Senha do Configurador
config username setup pt-br Usuário do Configurador
configuration setup pt-br Configuração
configuration completed setup pt-br Configuração completa
configuration password setup pt-br Senha de Configuração
configuration user setup pt-br Usuário de Configuração
configure now setup pt-br Configurar agora
confirm to delete this backup? setup pt-br Confirma a remoção deste backup?
contain setup pt-br contém
continue setup pt-br Continuar
continue to the header admin setup pt-br Continuar para o header Admin
convert setup pt-br Converta
convert backup to charset selected above setup pt-br Converter o backup para a codificação acima selecionada.
could not open header.inc.php for writing! setup pt-br Não foi possíval abrir o header.inc.php para escrita!
country selection setup pt-br Seleção de País
create setup pt-br Criar
create a backup before upgrading the db setup pt-br Criar um backup antes de atualizar a base de dados.
create admin account setup pt-br Criar conta de administrador
create database setup pt-br Criar base de dados
create demo accounts setup pt-br Cirar contas de Demonstração
create one now setup pt-br Criar uma agora
create the empty database - setup pt-br Criar uma base de dados vazia -
create the empty database and grant user permissions - setup pt-br Criar uma base de dados vazia e garantir as permissões do usuário
create your header.inc.php setup pt-br criar o arquivo header.ini.php
created setup pt-br criado
created header.inc.php! setup pt-br Criador header.inc.php!
creating tables setup pt-br Criando tabelas
current system-charset setup pt-br Codificação de caracteres atual do sistema
current system-charset is %1. setup pt-br Codificação de caracteres atual do sistema é %1.
current version setup pt-br Versão atual
currently installed languages: %1 <br /> setup pt-br Idiomas instalados atualmente: %1 <br />
database instance (egw domain) setup pt-br Instância da base de dados (domínio eGW)
database successfully converted from '%1' to '%2' setup pt-br Conversão bem sucedida da base de dados de '%1' para '%2'
datebase setup pt-br Base de Dados
datetime port.<br />if using port 13, please set firewall rules appropriately before submitting this page.<br />(port: 13 / host: 129.6.15.28) setup pt-br Nota ntp <br /> se estiver usando a porta 13, por favor configure as regras de acesso do seu firewall corretamente antes de enviar essa página <br /> (port 13 / servidor 129.6.15.28)
day setup pt-br dia
day of week<br />(0-6, 0=sunday) setup pt-br dia da semana<br/>(0-6, 0=domingo)
db backup and restore setup pt-br Backup e Restauração da base de dados
db host setup pt-br Servidor da base de dados
db name setup pt-br Nome da base de dados
db password setup pt-br Senha da base de dados
db port setup pt-br Porta da base de dados
db root password setup pt-br Senha do super-usuário no base de dados
db root username setup pt-br Nome do super-usuário na base de dados
db type setup pt-br Tipo de base de dados
db user setup pt-br Usuário da base de dados
default setup pt-br padrão recomendado
default file system space per user/group ? setup pt-br Cota padrão por usuário/grupo ?
delete setup pt-br Remover
delete all existing sql accounts, groups, acls and preferences (normally not necessary)? setup pt-br Remover todas as contas SQL, grupos, regras de acesso e preferências existentes? (Normalmente isso não é necessário - seus dados serão perdidos)
delete all my tables and data setup pt-br Remover todas as minhas tabelas e dados
delete all old languages and install new ones setup pt-br Remover todos os idiomas antigos e instalar novos
deleting tables setup pt-br Removendo tabelas
demo server setup setup pt-br Configuração de demonstração do servidor
deny access setup pt-br Negar acesso
deny all users access to grant other users access to their entries ? setup pt-br Não permitir que usuários concedam acesso de seus registros a outros usuários ?
dependency failure setup pt-br Falha na estrutura de dependências
deregistered setup pt-br descadastrada
details for admin account setup pt-br Detalhes da conta do Administrador
developers' table schema toy setup pt-br Ferramenta para esquemas de tabelas
did not find any valid db support! setup pt-br Não foi possível localizar um suporte a base de dados válido
do you want persistent connections (higher performance, but consumes more resources) setup pt-br Você deseja usar conexões persistentes? (implica em uma performace melhor mas em um maior gasto de recursos)
do you want to manage homedirectory and loginshell attributes? setup pt-br Você deseja gerenciar os atributos do diretório base e do interpretador de comandos?
does not exist setup pt-br não existe
domain setup pt-br Domínio
domain name setup pt-br Nome do domínio
domain select box on login setup pt-br Caixa de seleção de domínios no login
dont touch my data setup pt-br Não alterar meus dados
download setup pt-br Baixar
edit current configuration setup pt-br Editar configuração atual
edit your existing header.inc.php setup pt-br Editar o seu arquivo header.inc.php existente
edit your header.inc.php setup pt-br Editar o seu arquivo header.inc.php
egroupware administration manual setup pt-br Manual de Administração do eGroupWare
enable for extra debug-messages setup pt-br Habilitar mensagens de depuração extras
enable ldap version 3 setup pt-br Habilitar LDAP versão 3
enable mcrypt setup pt-br Habilitar MCrypt
enter some random text for app session encryption setup pt-br Digite algum texto aleatório para encriptação de sessão
enter some random text for app_session <br />encryption (requires mcrypt) setup pt-br Digite um texto aleatório para a encriptação de sessão (requer MCrypt)
enter the full path for temporary files.<br />examples: /tmp, c:\temp setup pt-br Digite o caminho completo para arquivos temporários.<br />Exemplos: /tmp, C:TEMP
enter the full path for users and group files.<br />examples: /files, e:\files setup pt-br Digite o caminho completo para arquivos de usuários e grupos.<br />Exemplos: /files, E:FILES
enter the full path to the backup directory.<br />if empty: files directory setup pt-br Informe o caminho completo para o diretório de backup.<br/>Se vazio: diretório de arquivos
enter the hostname of the machine on which this server is running setup pt-br Digite o nome da máquina em que este servidor está sendo executado
enter the location of egroupware's url.<br />example: http://www.domain.com/egroupware &nbsp; or &nbsp; /egroupware<br /><b>no trailing slash</b> setup pt-br Digite a URL do eGroupWare.<br />Ex.: http://www.dominio.com.br/egroupware ou /egroupware<br /><b>Sem a barra final</b>
enter the site password for peer servers setup pt-br Digite a senha do servidor para uso com servidores parceiros
enter the site username for peer servers setup pt-br Digite o usuário do servidor para uso com servidores parceiros
enter the title for your site setup pt-br Digite o título para o site
enter your default ftp server setup pt-br Digite seu servidor FTP padrão
enter your http proxy server setup pt-br Digite o endereço do servidor proxy HTTP
enter your http proxy server password setup pt-br Digite a senha do seu proxy HTTP
enter your http proxy server port setup pt-br Digite a porta do servidor proxy HTTP
enter your http proxy server username setup pt-br Digite o nome de usuário do seu Servidor Proxy Http
error in admin-creation !!! setup pt-br Erro na criação do admin !!!
error in group-creation !!! setup pt-br Erro na criação do grupo !!!
export egroupware accounts from sql to ldap setup pt-br Exportar contas eGroupWare do SQL para o LDAP
export has been completed! you will need to set the user passwords manually. setup pt-br A exportação está completa. Você precisará definir a senha do usuário manualmente.
export sql users to ldap setup pt-br Exportar usuários do SQL para o LDAP
false setup pt-br Falso
file setup pt-br Arquivo
file type, size, version, etc. setup pt-br tipo de arquivo, tamanho, versão, etc...
file uploads are switched off: you can not use any of the filemanagers, nor can you attach files in several applications! setup pt-br Carregamento de arquivos está desabilitado. Você NÃO pode pode usar nenhum dos gerenciadores de arquivo nem adicionar arquivos em vários aplicativos!
filename setup pt-br Nome do arquivo
filesystem setup pt-br Sistema de arquivos
for a new install, select import. to convert existing sql accounts to ldap, select export setup pt-br Para uma nova instalação, selecione importar. Para converter contas existentes no SQL para o LDAP, selecione exportar
force selectbox setup pt-br Forçar caixa de seleção
found existing configuration file. loading settings from the file... setup pt-br Foi encontrado um arquivo de configurações. Carregando os dados desse arquivo.
go back setup pt-br Voltar
go to setup pt-br Ir para
grant access setup pt-br Liberar acesso
has a version mismatch setup pt-br Existe um erro de versão
header admin login setup pt-br Conexão para o arquivo header
header password setup pt-br Senha para o arquivo header
header username setup pt-br Usuário para o arquivo header
historylog removed setup pt-br Registro histórico removido
hooks deregistered setup pt-br ligações descadastradas (hooks)
hooks registered setup pt-br ligações cadastradas (hooks)
host information setup pt-br Informações do servidor
host/ip domain controler setup pt-br Servidor/IP do Controlador de Domínio
hostname/ip of database server setup pt-br Nome do Servidor / IP da base de dados
hour (0-24) setup pt-br hora (0-24)
however, the application is otherwise installed setup pt-br No entanto, a aplicação está instalada
however, the application may still work setup pt-br No entanto, a aplicação ainda pode funcionar
if no acl records for user or any group the user is a member of setup pt-br Caso não exista registro de permissões ou grupo para o usuário ele é membro do
if safe_mode is turned on, egw is not able to change certain settings on runtime, nor can we load any not yet loaded module. setup pt-br Se o modo de segurança estiver ligado, o eGroupware não será capaz de modificar automáticamente determinados valores de configuração, não será possível carregar módulos que ainda não estejam carregados.
if the application has no defined tables, selecting upgrade should remedy the problem setup pt-br Se o aplicativo não têm tabelas definidas, selecionar atualizar deve resolver o problema
if using ads (active directory) authentication setup pt-br Se estiver usando autenticação por ADS (Active Directory)
if using ldap setup pt-br Se estiver usando LDAP
if using ldap, do you want to manage homedirectory and loginshell attributes? setup pt-br Se estiver usando LDAP, você deseja definir atributos de diretório base e do interpretador de comandos?
if you did not receive any errors, your applications have been setup pt-br Se não foi exibido nenhum erro, suas aplicações foram
if you did not receive any errors, your tables have been setup pt-br Se não foi exibido nenhum erro, as tabelas foram
if you running this the first time, don't forget to manualy %1 !!! setup pt-br Se você está rodando isso pela primeira vez, não esqueça de %1 manualmente!!!
if you use only languages of the same charset (eg. western european ones) you dont need to set a system-charset! setup pt-br Se você usa apenas linguagens do mesmo conjunto de caracteres (ex: western european) você não precisa definir um conjunto de caracteres!
image type selection order setup pt-br Seleção de ordem de tipos de imagens
import accounts from ldap to the egroupware accounts table (for a new install using sql accounts) setup pt-br Importar contas LDAP para as tabelas do eGroupWare (para uma nova instalação usando contas no SQL)
import has been completed! setup pt-br A importação está completa!
import ldap users/groups setup pt-br Importar usuários/grupos LDAP
importing old settings into the new format.... setup pt-br Importar configurações antigas no novo formato
include root (this should be the same as server root unless you know what you are doing) setup pt-br Inclua o Root (este deve ser o mesmo Root do servidor, a não ser que você saiba exatamente o que está fazendo)
include_path need to contain "." - the current directory setup pt-br Inclua o caminho necessário para conter " " - o diretório atual
install setup pt-br Instalar
install all setup pt-br Instalar todos
install applications setup pt-br Instalar Aplicativos
install backup setup pt-br Instalar backup
install language setup pt-br Instalar idioma
installed setup pt-br instaladas
instructions for creating the database in %1: setup pt-br Instruções para criar a base de dados em %1
invalid ip address setup pt-br endereço IP inválido
invalid mcrypt algorithm/mode combination setup pt-br Combinação inválida para algorítimo/modo do Mcrypt
invalid password setup pt-br Senha inválida
is broken setup pt-br está quebrado
is disabled setup pt-br está desabilitado
is in the webservers docroot setup pt-br está no caminho raiz do servidor web
is not writeable by the webserver setup pt-br não permite gravação pelo servidor web
ldap account import/export setup pt-br Importação/exportação de contas LDAP
ldap accounts configuration setup pt-br Configuração de contas LDAP
ldap accounts context setup pt-br Contexto de contas LDAP
ldap config setup pt-br Configuração LDAP
ldap default homedirectory prefix (e.g. /home for /home/username) setup pt-br Prefixo de diretório home padrão LDAP (Exemplo: /home para /home/codigodeusuario)
ldap default shell (e.g. /bin/bash) setup pt-br Interpretador de comandos padrão LDAP (Exemplo: /bin/bash)
ldap encryption type setup pt-br Tipo de encriptação LDAP
ldap export setup pt-br Exportação LDAP
ldap export users setup pt-br Exportação de usuários LDAP
ldap groups context setup pt-br Contexto de grupos LDAP
ldap host setup pt-br Servidor LDAP
ldap import setup pt-br Importação LDAP
ldap import users setup pt-br Importação de usuários LDAP
ldap modify setup pt-br Modificação LDAP
ldap root password setup pt-br Senha do super usuário LDAP
ldap rootdn setup pt-br Super usuário LDAP
ldap search filter for accounts, default: "(uid=%user)", %domain=egw-domain setup pt-br Filtro de pesquisa para contas LDAP. Padrão: "(uid=%user)", %domain=eGW-domain
limit access to setup to the following addresses, networks or hostnames (e.g. 127.0.0.1,10.1.1,myhost.dnydns.org) setup pt-br Limitar acesso ao setup aos seguintes endereços IP, redes ou nomes de domínio (ex: 127.0.0.1, 10.1.1, meudominio.nomesite.com.br)
login as user postgres, eg. by using su as root setup pt-br Logar como usuário postgres, por exemplo usando 'su' como root
login to mysql - setup pt-br Conectar no mysql -
logout setup pt-br Desconectar
mail domain (for virtual mail manager) setup pt-br Domínio de E-mail (para gerenciador de E-Mail Virtual)
mail server login type setup pt-br Tipo do login no servidor de e-mail
mail server protocol setup pt-br Protocolo do servidor de e-mail
make sure that your database is created and the account permissions are set setup pt-br Verifique se sua base de dados está criada e as permissões de acesso estão definidas
manage applications setup pt-br Configurar aplicações
manage languages setup pt-br Configurar idiomas
max_execution_time is set to less than 30 (seconds): egroupware sometimes needs a higher execution_time, expect occasional failures setup pt-br O tempo limite de execução está setado para menos de 30 segundos. Algumas vezes, o eGroupWare necessita de um limite maior que esse. É possível que ocorram problemas.
maximum account id (e.g. 65535 or 1000000) setup pt-br Id máximo para contas (Exemplo: 65535 ou 1000000)
may be broken setup pt-br pode estar quebrado
mcrypt algorithm (default tripledes) setup pt-br Algoritmo Mcrypt (padrão TRIPLEDES)
mcrypt initialization vector setup pt-br Vetor de iniciação do MCrypt
mcrypt mode (default cbc) setup pt-br Modo Mcrypt (padrão CBC)
mcrypt settings (requires mcrypt php extension) setup pt-br Configurações para Mcrypt (requer extensão mcrypt do PHP)
mcrypt version setup pt-br Versão do MCrypt
memory_limit is set to less than 16m: some applications of egroupware need more than the recommend 8m, expect occasional failures setup pt-br O Valor de limite de memória está menor que 16M. Alguns aplicativos do eGroupware necessitam mais que os 8M recomendados. É possível que ocorram problemas.
minimum account id (e.g. 500 or 100, etc.) setup pt-br Id mínimo para contas (Exemplo: 500 ou 100, etc.)
minute setup pt-br minuto
missing or uncomplete mailserver configuration setup pt-br Configuração do servidor de e-mail está faltando
modifications have been completed! setup pt-br As modificações foram completadas
modify setup pt-br Modificar
modify an existing ldap account store for use with egroupware (for a new install using ldap accounts) setup pt-br Modificar uma base de dados LDAP existente para usar com eGroupWare (para uma nova instalação usando contas LDAP)
month setup pt-br mês
multi-language support setup setup pt-br Configuração de suporte a idiomas
name of database setup pt-br Nome da base de dados
name of db user egroupware uses to connect setup pt-br Nome do usuário da base de dados que o eGroupWare deve usar para conexão
never setup pt-br nunca
new setup pt-br NOVO
next run setup pt-br próxima execução
no setup pt-br Não
no %1 support found. disabling setup pt-br Não há suporte para %1. Desabilitando.
no accounts existing setup pt-br Não há contas existentes
no algorithms available setup pt-br Nenhum algoritmo disponível
no modes available setup pt-br nenhum modo disponível
no xml support found. disabling setup pt-br Não foi encontrado suporte para XML. Desablilitando
not setup pt-br Não
not all mcrypt algorithms and modes work with egroupware. if you experience problems try switching it off. setup pt-br Nem todos os algorítmos de criptografia do MCrypt funcionan com o eGroupware. Se você encontrar algum problema tente desligar essa opção.
not complete setup pt-br incompleto
not completed setup pt-br Incompleto
not ready for this stage yet setup pt-br Não está pronto para este passo ainda
not set setup pt-br não configurado
note: you will be able to customize this later setup pt-br Nota: será possível personalizar isto depois
now guessing better values for defaults... setup pt-br Agora, testando valores melhores para padrão
odbc / maxdb: dsn (data source name) to use setup pt-br Nome da fonte de dados ODBC/MaxDB (DSN) a ser usada
ok setup pt-br OK
once the database is setup correctly setup pt-br Quando a base de dados estiver configurada corretamente
one month setup pt-br um mês
one week setup pt-br uma semana
only add languages that are not in the database already setup pt-br Somente adicionar idiomas que ainda não estão na base de dados
only add new phrases setup pt-br Somente adicionar novas frases
or setup pt-br ou
or %1continue to the header admin%2 setup pt-br ou %1Prosseguir para o Cabeçalho Admin%2
or http://webdav.domain.com (webdav) setup pt-br ou http://webdav.domain.com (WebDAV)
or we can attempt to create the database for you: setup pt-br Ou eGroupWare pode criar a base de dados para você:
or you can install a previous backup. setup pt-br Ou você pode instalar um backup anterior.
password for smtp-authentication setup pt-br Senha para autenticação SMTP.
password needed for configuration setup pt-br É necessária uma senha para configuração
password of db user setup pt-br Senha do usuário da base de dados
passwords did not match, please re-enter setup pt-br Senhas não conferem, digite novamente
path information setup pt-br Informação de Caminho do sistema (Path)
path to user and group files has to be outside of the webservers document-root!!! setup pt-br Caminho para ser usado para arquivos de usuários e grupos. TEM QUE ESTAR FORA do diretório de documentos do servidor web.
pear is needed by syncml or the ical import+export of calendar. setup pt-br É necessário instalar PEAR para usar SyncML ou a importação/exportação de iCal na Agenda de Eventos.
pear::log is needed by syncml. setup pt-br É necessário instalar PEAR::Log para usar SyncML.
persistent connections setup pt-br Conexões Persistentes
php plus restore setup pt-br PHP + restauração
php plus restore gives by far the best performance, as it stores the egw enviroment completly in the session. setup pt-br PHP + restauração tem uma performance melhor, já que o ambiente eGW é completamente guardado na sessão.
please check for sql scripts within the application's directory setup pt-br Por favor verifique os scripts SQL no diretório da aplicação
please check read/write permissions on directories, or back up and use another option. setup pt-br Porfavor verifique os direitos de escrita/leitura. ou faça uma cópia de segurança e use outra opção.
please configure egroupware for your environment setup pt-br Por favor configure o eGroupWare para o seu ambiente
please consult the %1. setup pt-br Por Favor consulte %1
please fix the above errors (%1) and warnings(%2) setup pt-br Por favor corrija os erros acima (%1) e avisos (%2)
please install setup pt-br Por favor instale
please login setup pt-br Por favor conecte-se
please login to egroupware and run the admin application for additional site configuration setup pt-br Por favor, conecte-se no eGroupWare e execute o aplicativo de administração para executar as outras configurações do servidor
please make the following change in your php.ini setup pt-br Por favor faça a seguinte alteração no seu php.ini
please wait... setup pt-br Por favor aguarde...
pop/imap mail server hostname or ip address setup pt-br Endereço IP ou nome do servidor POP/MAIL do servidor de e-mail
possible reasons setup pt-br Razões Possíveis
possible solutions setup pt-br Soluções Possíveis
post-install dependency failure setup pt-br Falha em uma dependência posterior a instalação
postgres: leave it empty to use the prefered unix domain sockets instead of a tcp/ip connection setup pt-br Postgres: Deixe-o vazio para usar o socket unix preferido ao invés de uma conexão TCP/IP.
potential problem setup pt-br Problema em potencial
preferences setup pt-br Preferências
problem resolution setup pt-br Solução do problema
process setup pt-br Processar
re-check my database setup pt-br Verificar novamente a base de dados
re-check my installation setup pt-br Verificar novamente a instalação
re-enter password setup pt-br Digite novamente a senha
read translations from setup pt-br Ler as traduções de
readable by the webserver setup pt-br Leitura pelo servidor web
really uninstall all applications setup pt-br REALMENTE desinstalar todas aplicações
recommended: filesystem setup pt-br Sistemas de Arquivos recomendado
register_globals is turned on, egroupware does not require it and it's generaly more secure to have it turned off setup pt-br A variável register_globais está ligada. O eGroupWare não necessita desse recurso e geralmente é mais seguro manter essa variável desligada.
registered setup pt-br registrado
rejected lines setup pt-br Linhas rejeitadas.
remove setup pt-br Remover
remove all setup pt-br Remover todos
rename setup pt-br Renomear
requires reinstall or manual repair setup pt-br Requer reinstalação ou reparo manual
requires upgrade setup pt-br Requer atualização
resolve setup pt-br Resolver
restore setup pt-br Restaurar
restore failed setup pt-br Restauração falhou
restore finished setup pt-br Restauração terminou
restore started, this might take a few minutes ... setup pt-br Restauração iniciou. Isto pode demorar alguns minutos...
restoring a backup will delete/replace all content in your database. are you sure? setup pt-br Restaurar um backup poderá remover/substituir todo o conteúdo de sua base de dados. Você tem certeza?
return to setup setup pt-br Retornar ao Configurador
run installation tests setup pt-br Executar testes de instalação
safe_mode is turned on, which is generaly a good thing as it makes your install more secure. setup pt-br A Modo de segurança está ligado. O que normalmente é uma coisa boa, isto torna sua instalação mais segura.
sample configuration not found. using built in defaults setup pt-br Configuração padrão não encontrada. usado os valores padrões internos.
save setup pt-br Salvar
save this text as contents of your header.inc.php setup pt-br Salve este texto como conteúdo do seu header.inc.php
schedule setup pt-br agendar
scheduled backups setup pt-br Backups agendados
select an app, enter a target version, then submit to process to that version.<br />if you do not enter a version, only the baseline tables will be installed for the app.<br /><blink>this will drop all of the apps' tables first!</blink> setup pt-br Selecione um aplicativo, escolha a versão de destino e clique em Enviar para processar esta versão.<br />Se você não definir uma versão somente as tabelas base serão instaladas para o aplicativo.<br /><blink>Primeiro, esta operação irá remover todas as tabelas de Aplicativos!</blink>
select one... setup pt-br selecione um
select the default applications to which your users will have access setup pt-br Selecione o aplicativo padrão.
select the desired action(s) from the available choices setup pt-br Selecione a ação (ou ações) desejada(s) a partir das opções
select to download file setup pt-br Selecione para baixar um arquivo
select where you want to store/retrieve file contents setup pt-br Selecione onde você deseja salvar/recuperar arquivos de conteúdo.
select where you want to store/retrieve filesystem information setup pt-br Selecione onde você deseja salvar / recuperar informações de arquivos do sistema.
select where you want to store/retrieve user accounts setup pt-br Selecione onde você deseja salvar / recuperar as contas de usuários
select which group(s) will be exported (group membership will be maintained) setup pt-br Selecione qual grupo (ou grupos) serão exportados (a estrutura de membros dos grupos será mantida)
select which group(s) will be imported (group membership will be maintained) setup pt-br Selecione qual grupo (ou grupos) serão importados (a estrutura de membros dos grupos será mantida)
select which group(s) will be modified (group membership will be maintained) setup pt-br Selecione qual grupo (ou grupos) serão modificados (a estrutura de membros dos grupos será mantida)
select which languages you would like to use setup pt-br Selecione o idioma a ser usado
select which method of upgrade you would like to do setup pt-br Selecione o método de atualização desejado
select which type of authentication you are using setup pt-br Selecione o tipo de autenticação a ser usado
select which user(s) will also have admin privileges setup pt-br Selecione qual usuário (ou usuários) terão privilégios de administrador
select which user(s) will be exported setup pt-br Selecione os usuários que serão exportados
select which user(s) will be imported setup pt-br Selecione os usuários que serão importados
select which user(s) will be modified setup pt-br Selecione os usuários que serão modificados
select which user(s) will have admin privileges setup pt-br Selecione os usuários que terão privilégios de administradores
select your old version setup pt-br Selecione a versão antiga
selectbox setup pt-br Caixa de seleção
server root setup pt-br Raiz do Servidor
sessions type setup pt-br Tipo de seção
set setup pt-br Configure
set this to "old" for versions &lt; 2.4, otherwise the exact mcrypt version you use. setup pt-br Defina esse valor para "old"para versões < 2.4, ou para a versão exata do MCrypt em uso.
setting the system-charset to utf-8 (unicode) allows the coexistens of data from languages of different charsets. setup pt-br Definir o conjunto de caracteres para UTF-8 (unicode) permite que dados de linguagens diferentes possam aparecer e coexistir no sistema.
settings setup pt-br Configurações
setup setup pt-br Configurador
setup demo accounts in ldap setup pt-br Configurar contas de demonstração no LDAP
setup main menu setup pt-br Menu principal de configuração
setup the database setup pt-br Configurar a base de dados
setup/config admin login setup pt-br Definir/Configurar a conexão do Administrador
show 'powered by' logo on setup pt-br Área para exibição 'powered by eGroupWare'
size setup pt-br tamanho
skip the installation tests (not recommended) setup pt-br Pular os testes de instalação (não recomendado)
smtp server hostname or ip address setup pt-br Endereço IP ou nome do servidor SMTP
smtp server port setup pt-br Porta do servidor SMTP
some or all of its tables are missing setup pt-br Estão faltando algumas tabelas (ou todas)
sql encryption type setup pt-br Tipo de criptografia para senhas SQL(padrão Md5)
standard (login-name identical to egroupware user-name) setup pt-br padrão (nome de login idêntico ao nome de usuário do eGroupWare)
standard mailserver settings (used for mail authentication too) setup pt-br Configurações de servidor de e-mail padrão (também usadas para autenticação)
start the postmaster setup pt-br Iniciar o postmaster
status setup pt-br Status
step %1 - admin account setup pt-br Passo %1 - Conta do administrador
step %1 - advanced application management setup pt-br Passo %1 - Gerenciamento avançado da aplicação
step %1 - configuration setup pt-br Passo %1 - Configuração
step %1 - db backup and restore setup pt-br Passo %1 - Backup e Restauração de base de dados
step %1 - language management setup pt-br Passo %1 - Gerenciamento da linguagem
step %1 - simple application management setup pt-br Passo %1 - Gerenciamento simples da aplicação
succesfully uploaded file %1 setup pt-br Arquivo % carregado com sucesso.
table change messages setup pt-br Mensagens de alterações nas tabelas
tables dropped setup pt-br tabelas removidas (DROP)
tables installed, unless there are errors printed above setup pt-br caso não existam erros mostrados abaixo, suas tabelas terão sido instaladas com sucesso.
tables upgraded setup pt-br tabelas atualizadas
target version setup pt-br Versão de destino
tcp port number of database server setup pt-br Número da porta TCP do servidor da base de dados
text entry setup pt-br Entrada de texto
the %1 extension is needed, if you plan to use a %2 database. setup pt-br A extensão %1 é necessária, se você está planejando usar a base de dados %2
the db_type in defaults (%1) is not supported on this server. using first supported type. setup pt-br O valor da variável db_type (%1) indica um banco de dados que não tem suporte nesse servidor. Usaremos o primeiro tipo encontrado que tenha suporte nesse servidor.
the file setup pt-br o arquivo
the first step in installing egroupware is to ensure your environment has the necessary settings to correctly run the application. setup pt-br O primeiro passo ao instalar eGroupWare é assegurar que seu ambiente possui as configurações necessárias para executar corretamente a aplicação.
the following applications need to be upgraded: setup pt-br As seguintes aplicações precisam ser atualizadas:
the imap extension is needed by the two email apps (even if you use email with pop3 as protocoll). setup pt-br As extensões imap são necessárias para os dois aplicativos de e-mail, mesmo que você esteja usando pop3 como protocolo!!!
the mbstring extension is needed to fully support unicode (utf-8) or other multibyte-charsets. setup pt-br As extensões mbstring são necessárias para suporte unicode (utf-8) completo ou para outros conjuntos de carácteres multibyte.
the mbstring.func_overload = 7 is needed to fully support unicode (utf-8) or other multibyte-charsets. setup pt-br A opção 'mbstring.func_overload = 7' é necessária para total suporte unicode (utf-8) ou outros caracteres multibyte.
the session extension is needed to use php sessions (db-sessions work without). setup pt-br A extensão 'session' é necessária para usar sessões php (sessões db funciona sem ela)
the table definition was correct, and the tables were installed setup pt-br As definições de tabelas estão corretas e as tabelas estão instaladas
the tables setup pt-br as tabelas
there was a problem trying to connect to your ldap server. <br /> setup pt-br Ocorreu um problema durante a tentativa de conexão com o servidor LDAP <br />
there was a problem trying to connect to your ldap server. <br />please check your ldap server configuration setup pt-br Ocorreu um problema durante a tentativa de conexão com o servidor LDAP <br /> por favor verifique as configurações do servidor LDAP
this has to be outside the webservers document-root!!! setup pt-br Isto tem que estar fora do diretório de documentos do seu servidor web!!!
this might take a while, please wait ... setup pt-br Isto pode demorar um pouco, por favo aquarde...
this program lets you backup your database, schedule a backup or restore it. setup pt-br Este aplicativo permite você fazer backup de sua base dados, agendar um backup ou restaurá-lo.
this program will convert your database to a new system-charset. setup pt-br Este programa converterá a sua base de dados para um novo sistema-charset.
this program will help you upgrade or install different languages for egroupware setup pt-br Este programa ajudará a atualizar ou instalar idiomas diferentes para o eGroupWare
this section will help you export users and groups from egroupware's account tables into your ldap tree setup pt-br Esta seção irá ajudá-lo a exportar usuários e grupos de contas e tabelas do eGroupWare para sua árvore LDAP
this section will help you import users and groups from your ldap tree into egroupware's account tables setup pt-br Esta seção ajudará a importar usuários e grupos LDAP para as tabelas do eGroupWare
this section will help you setup your ldap accounts for use with egroupware setup pt-br Esta seção irá ajudará a configurar suas contas LDAP para uso com o eGroupWare
this should be around 30 bytes in length.<br />note: the default has been randomly generated. setup pt-br Isto deve ter aproximadamente 30 bytes.<br /> Nota: o valor padrão foi aleatóriamente gerado
this stage is completed<br /> setup pt-br Este passo está completo<br />
to a version it does not know about setup pt-br para uma versão desconhecida
to allow password authentification add the following line to your pg_hba.conf (above all others) and restart postgres: setup pt-br Para permitir autenticação de senhas, adicione a seguinte linha em seu arquivo pg_hba.conf (acima de todas as outras) E reinicie o serviço postgres:
to change the charset: back up your database, deinstall all applications and re-install the backup with "convert backup to charset selected" checked. setup pt-br Para alterar a codificação de caracteres: faça backup de sua base de dados, desinstale todos os aplicativos e reinstale o backup com "converter backup para a codificação selecionada" marcada.
to setup 1 admin account and 3 demo accounts. setup pt-br para configurar 1 conta de administrador e 3 contas demo
top setup pt-br topo
translations added setup pt-br Traduções adicionadas
translations removed setup pt-br Traduções removidas
translations upgraded setup pt-br Traduções atualizadas
true setup pt-br Verdadeiro
try to configure your php to support one of the above mentioned dbms, or install egroupware by hand. setup pt-br Tente configurar seu PHP para suportar um dos Banco de Dados mencionados acima, ou instale o eGroupWare manualmente
two weeks setup pt-br 2 semanas
unfortunally some php/apache packages have problems with it (apache dies and you cant login anymore). setup pt-br Infelizmente alguns pacotes PHP/Apache têm problems com isso (Apache termina e você não pode logar novamente)
uninstall setup pt-br desinstalar
uninstall all applications setup pt-br Desinstalar todas aplicações
uninstalled setup pt-br desinstaladas
upgrade setup pt-br Atualizar
upgrade all setup pt-br Atualizar Todas
upgraded setup pt-br atualizadas
upgrading tables setup pt-br Atualizando tabelas
upload backup setup pt-br Carregar backup
uploads a backup and installs it on your db setup pt-br Carrega um backup e o instala em sua base de dados.
uploads a backup to the backup-dir, from where you can restore it setup pt-br Carrega um backup para o diretório de backups, de onde você pode restaurá-lo.
use cookies to pass sessionid setup pt-br Usar cookies para transmitir id de sessão
use pure html compliant code (not fully working yet) setup pt-br Usar código HTML puro (ainda não funciona totalmente)
user account prefix setup pt-br usar prefixo para as contas de usuários
user for smtp-authentication (leave it empty if no auth required) setup pt-br Usuário para autenticação SMTP (deixe-o vazio se não há antenticação)
usernames are casesensitive setup pt-br Nomes de usuários são sensíveis à Maiúsculas / Minúsculas
users choice setup pt-br À escolha dos usuários
utf-8 (unicode) setup pt-br utf-8 (Unicode)
version setup pt-br versão
version mismatch setup pt-br Erro de versão
view setup pt-br Visualizar
virtual mail manager (login-name includes domain) setup pt-br Gerenciador de e-mail virtual (nome de login inclui o domínio)
warning! setup pt-br Aviso!
we can proceed setup pt-br Podemos prosseguir
we will automatically update your tables/records to %1 setup pt-br As tabelas/registros serão automaticamente atualizadas para %1
we will now run a series of tests, which may take a few minutes. click the link below to proceed. setup pt-br Nós iremos executar neste momento uma série de testes que poderão levar alguns minutos. Clique noa link abaixo para prosseguir.
welcome to the egroupware installation setup pt-br Bem-vindo(a) à instalação do eGroupWare
what type of sessions management do you want to use (php session management may perform better)? setup pt-br Que tipo de gerenciamento de sessão você quer usar (sessões PHP podem ser melhores)?
which database type do you want to use with egroupware? setup pt-br Qual tipo de base de dados você pretende usar com o eGroupWare?
world readable setup pt-br Leitura permitida para todos
world writable setup pt-br Escrita permitida para todos
would you like egroupware to cache the phpgw info array ? setup pt-br Deseja que o eGroupWare armazene o vetor de informações phpgw? (cache)
would you like egroupware to check for a new version<br />when admins login ? setup pt-br Deseja que o eGroupWare verifique se há uma nova versão disponível <br />quando administradores estejam acessando o sistema?
would you like to show each application's upgrade status ? setup pt-br Deseja exibir o status de atualização de cada aplicativo?
writable by the webserver setup pt-br Escrita permitida para o servidor Web
write config setup pt-br Configuração de escrita
year setup pt-br ano
yes setup pt-br Sim
yes, with lowercase usernames setup pt-br Sim, com nome de usuários em letras minúsculas
you appear to be running a pre-beta version of egroupware.<br />these versions are no longer supported, and there is no upgrade path for them in setup.<br /> you may wish to first upgrade to 0.9.10 (the last version to support pre-beta upgrades) <br />and then upgrade from there with the current version. setup pt-br Aparentemente você está usando uma versão pré-beta do eGroupWare.<br />Estas versões não são mais suportadas, e não há como usar o configurador para atualizá-las.<br /> Você deve primeiro atualizar para a versão 0.9.10 (a última versão que suporta atualização de pré-betas) <br />e então atualizar a partir desta versão para a versão atual.
you appear to be running an old version of php <br />it its recommend that you upgrade to a new version. <br />older version of php might not run egroupware correctly, if at all. <br /><br />please upgrade to at least version %1 setup pt-br Aparentemente você está rodando uma versão antiga do PHP <br /> é altamente recomendável que você faça a atualização para uma versão mais nova <br /> Versões antigas do PHP podem não rodar corretamente com o eGroupWare. <br /><br />Por favor atualize para, no mínimo, a versão %1
you appear to be running version %1 of egroupware setup pt-br Aparentemente você está rodando a versão %1 do eGroupWare
you appear to be using php earlier than 4.1.0. egroupware now requires 4.1.0 or later setup pt-br Aparentemente você está utilizando uma versão anterior a 4.1.0 do PHP. Atualmente o eGroupWare requer a versão 4.1.0 ou maior.
you appear to have %1 support. setup pt-br Aparentemente você tem suporte a %1
you appear to have php session support. enabling php sessions. setup pt-br Aparentemente você tem suporte à sessões PHP. Habilitando sessões PHP.
you appear to have xml support enabled setup pt-br Aparentemente você tem suporte a XML
you are ready for this stage, but this stage is not yet written.<br /> setup pt-br Você está pronto para este passo, mas este estágio não está escrito ainda.<br />
you can install it by running: setup pt-br Você pode instalá-lo rodando:
you didn't enter a config password for domain %1 setup pt-br Você não digitou uma senha de configuração para o domínio %1
you didn't enter a config username for domain %1 setup pt-br Você não digitou um usuário de configuração para o domínio %1
you didn't enter a header admin password setup pt-br Você não digitou uma senha para administração do Header
you didn't enter a header admin username setup pt-br Você não digitou um usuário para administração do Header
you do not have any languages installed. please install one now <br /> setup pt-br Não há nenhum idioma instalado. Por favor instale um agora <br />
you have not created your header.inc.php yet!<br /> you can create it now. setup pt-br Você ainda não criou seu arquivo heades.inc.php!<br /> Você pode criá-lo agora.
you have successfully logged out setup pt-br Você foi desconectado com sucesso.
you must enter a username for the admin setup pt-br Você deve especificar um nome de usuário para o Administrador
you need to add some domains to your header.inc.php. setup pt-br Você precisa adicionar um domínio no arquivo header.inc.php
you need to select your current charset! setup pt-br Você precisa selecionar seu conjunto de carácteres atual
you should either uninstall and then reinstall it, or attempt manual repairs setup pt-br Você pode tentar desinstalar e então reinstalar ou tentar executar reparos manuais.
you will need to load the proper schema into your ldap server - see phpgwapi/doc/ldap/readme setup pt-br Você precisa carregar os esquemas apropriados no seu servidor LDAP - veja <a href="../phpgwapi/doc/ldap/README" target="_blank">phpgwapi/doc/ldap/README</a>
you're using an old configuration file format... setup pt-br Você está usando um formato de arquivo de configuração antigo
you're using an old header.inc.php version... setup pt-br Você está usando uma versão antiga do arquivo header.inc.php
your applications are current setup pt-br Suas aplicações estão atualizadas
your backup directory '%1' %2 setup pt-br Seu diretório de backup '%1' %2
your database does not exist setup pt-br Sua base de dados não existe
your database is not working! setup pt-br Sua base de dados não está funcionando!
your database is working, but you dont have any applications installed setup pt-br Sua base de dados está funcionando, mas não há nenhuma aplicação instalada
your egroupware api is current setup pt-br Sua atual API do eGroupWare é
your files directory '%1' %2 setup pt-br Seu diretório de arquivos '%1' %2
your header admin password is not set. please set it now! setup pt-br Sua senha de adminstrador para o arquivo header.inc.php não está definida. Por favor defina uma agora.
your header.inc.php needs upgrading. setup pt-br Seu arquivo header.inc.php precisa ser atualizado
your header.inc.php needs upgrading.<br /><blink><b class="msg">warning!</b></blink><br /><b>make backups!</b> setup pt-br Seu arquivo header.inc.php necessita de atualização <br /><blink><b class="msg">AVISO!</b></blink><br /><b>FAÇA CÓPIAS DE SEGURANÇA!</b>
your php installation does not have appropriate gd support. you need gd library version 1.8 or newer to see gantt charts in projects. setup pt-br Sua instalação PHP não possui suporte apropriado à biblioteca GD. Você precisa da versão 1.8 ou superior para ver os diagramas de Gantt dos projetos.
your tables are current setup pt-br Suas tabelas estão atualizadas
your tables will be dropped and you will lose data setup pt-br Suas tabelas serão removidas e os dados serão perdidos!!
your temporary directory '%1' %2 setup pt-br Seu diretório temporário '%1' %2

537
setup/lang/phpgw_sk.lang Normal file
View File

@ -0,0 +1,537 @@
%1 does not exist !!! setup sk %1 neexistuje !!!
%1 is %2%3 !!! setup sk %1 je %2%3 !!!
(searching accounts and changing passwords) setup sk (prehµadávanie úètov a zmena hesiel)
*** do not update your database via setup, as the update might be interrupted by the max_execution_time, which leaves your db in an unrecoverable state (your data is lost) !!! setup sk NIKDY neaktualizujte va¹u databázu pomocou In¹talátora, preto¾e aktualizácia by mohla by» preru¹ená na základe maximálneho èasu vykonávania, èo by zanechalo va¹u databázu v dezolátnom stave (stratené v¹etky dáta)!!!
*** you have to do the changes manualy in your php.ini (usualy in /etc on linux) in order to get egw fully working !!! setup sk Zmeny musíte vykona» vo svojom php.ini (pod Linuxom zvyèajne v adresári /etc), a¾ potom bude eGW plne funkèný!!!
00 (disable) setup sk 00 (zablokova» / odporúèa sa)
13 (ntp) setup sk 13 (ntp)
80 (http) setup sk 80 (http)
<b>charset to use</b> (use utf-8 if you plan to use languages with different charsets): setup sk <b>Akú znakovú sadu pou¾i»</b> (ak plánujete pou¾íva» jazyky s rozliènými znakovými sadami, zvoµte utf-8)
<b>this will create 1 admin account and 3 demo accounts</b><br />the username/passwords are: demo/guest, demo2/guest and demo3/guest. setup sk <b>Týmto sa vytvorí 1 správcovský úèet a 3 testovacie</b><br />Pou¾ívateµské mená/heslá sú: demo/guest, demo2/guest, demo3/guest.
accounts existing setup sk Existujúce úèty
actions setup sk Akcie
activate save password check setup sk Aktivova» voµbu ukladania hesla
add auto-created users to this group ('default' will be attempted if this is empty.) setup sk Automaticky vytvorených pou¾ívateµov priradi» do tejto skupiny (ak prázdne, pou¾ije sa 'Predvolená').
add new database instance (egw domain) setup sk Prida» novú databázovú in¹tanciu (eGW domain)
additional settings setup sk Ïal¹ie nastavenia
admin first name setup sk Správcovo krstné meno
admin last name setup sk Správcovo priezvisko
admin password setup sk Správcovo heslo
admin password to header manager setup sk Správcovo heslo do Správy hlavièiek
admin user for header manager setup sk Správcov pou¾ívateµský úèet do Správy hlavièiek
admin username setup sk Správcovo pou¾ívateµské meno
admins setup sk Správcovia
after backing up your tables first. setup sk A¾ po zazálohovaní va¹ich tabuliek (databáz).
after retrieving the file, put it into place as the header.inc.php. then, click "continue". setup sk Po získaní súboru, ulo¾te ho na miesto header.inc.php a kliknite na "pokraèova»".
all applications setup sk v¹etky aplikácie
all core tables and the admin and preferences applications setup sk v¹etky základné tabuµky a správcovské a nastavovacie aplikácie
all languages (incl. not listed ones) setup sk v¹etky jazyky (vrátane neuvedených)
all users setup sk V¹etci pou¾ívatelia
allow authentication via cookie setup sk Povoli» autentifikáciu pomocou cookie
allow password migration setup sk Povoli» migráciu hesiel
allowed migration types (comma-separated) setup sk Povolené typy migrácie (oddelené èiarkou)
analysis setup sk Analýza
and reload your webserver, so the above changes take effect !!! setup sk A reloadnite si webserver, aby sa horeuvedené zmeny naozaj uplatnili!!!
app details setup sk Detaily aplikácie
app install/remove/upgrade setup sk Aplikácia: In¹talácia/Odstránenie/Aktualizácia
app process setup sk Proces aplikácie
application data setup sk Dáta aplikácie
application list setup sk Zoznam aplikácií
application management setup sk Správa aplikácií
application name and status setup sk Názov a stav aplikácie
application name and status information setup sk Názov aplikácie a informácia o stave
application title setup sk Titulok aplikácie
application: %1, file: %2, line: "%3" setup sk Aplikácia: %1, Súbor: %2, Riadok: "%3"
are you sure you want to delete your existing tables and data? setup sk Naozaj chcete zmaza» va¹e súèasné tabuµky a dáta?
are you sure? setup sk STE SI ISTÍ?
at your request, this script is going to attempt to create the database and assign the db user rights to it setup sk Na va¹u ¾iados», skript sa pokúsi vytvori» databázu a priradi» prístupové práva k nej pou¾ívateµovi db.
at your request, this script is going to attempt to install a previous backup setup sk Na va¹u ¾iados» sa teraz skript pokúsi nain¹talova» predchádzajúcu zálohu
at your request, this script is going to attempt to install the core tables and the admin and preferences applications for you setup sk Na va¹u ¾iados», skript sa pokúsi nain¹talova» základné tabuµky a správcovské a nastavovacie aplikácie.
at your request, this script is going to attempt to upgrade your old applications to the current versions setup sk Na va¹u ¾iados», skript sa pokúsi aktualizova» va¹e staré aplikácie na nov¹ie verzie
at your request, this script is going to attempt to upgrade your old tables to the new format setup sk Na va¹u ¾iados», skript sa pokúsi aktualizova» va¹e staré tabuµky na nový formát
at your request, this script is going to take the evil action of deleting your existing tables and re-creating them in the new format setup sk Na va¹u ¾iados», skript vykoná de¹truktívnu akciu: zma¾e existujúce tabuµky a vytvorí ich v novom formáte
at your request, this script is going to take the evil action of uninstalling all your apps, which deletes your existing tables and data setup sk Na va¹u ¾iados», skript vykoná de¹truktívnu akciu: odin¹taluje v¹etky aplikácie, èo zma¾e v¹etky existujúce tabuµky a dáta
attempt to use correct mimetype for ftp instead of default 'application/octet-stream' setup sk Pokúsi» sa pou¾íva» správny MIME typ pre FTP namieste predvoleného 'application/octet-stream'
authentication / accounts setup sk Autentifikácie / Úèty
auto create account records for authenticated users setup sk Automaticky vytvori» úètové záznamy pre autentifikovaných pou¾ívateµov
auto-created user accounts expire setup sk Automaticky vytvorený pou¾ívateµský úèet vypr¹í
available version setup sk Dostupná verzia
back to the previous screen setup sk Naspä» na predchádzajúcu stránku
back to user login setup sk Naspä» na prihlásenie pou¾ívateµa
back's up your db now, this might take a few minutes setup sk vykoná okam¾itú zálohu va¹ej databázy, potrvá to zopár minút
backup '%1' deleted setup sk záloha '%1' zmazaná
backup '%1' renamed to '%2' setup sk záloha '%1' premenovaná na '%2'
backup '%1' restored setup sk záloha '%1' obnovená
backup and restore setup sk zálohy a obnova
backup failed setup sk Zálohovanie sa nepodarilo
backup finished setup sk zálohovanie sa skonèilo
backup now setup sk zálohuj teraz
backup sets setup sk umiestnenie záloh
backup started, this might take a few minutes ... setup sk záloha spustená, potrvá to zopár minút
because an application it depends upon was upgraded setup sk preto¾e aplikácia, na ktorej závisí, bola aktualizovaná
because it depends upon setup sk preto¾e závisí na
because it is not a user application, or access is controlled via acl setup sk preto¾e nie je pou¾ívateµskou aplikáciou, alebo je prístup kontrolovaný cez ACL
because it requires manual table installation, <br />or the table definition was incorrect setup sk preto¾e vy¾aduje ruènú in¹taláciu tabuliek, <br />alebo je tabuµka chybne definovaná
because it was manually disabled setup sk preto¾e bola manuálne vypnutá
because of a failed upgrade or install setup sk preto¾e aktualizácia alebo in¹talácia zlyhala
because of a failed upgrade, or the database is newer than the installed version of this app setup sk preto¾e aktualizácia zlyhala, alebo je databáza nov¹ia ne¾ nain¹talovaná verzia aplikácie
because the enable flag for this app is set to 0, or is undefined setup sk preto¾e príznak zapnutia pre túto aplikáciu je nastavený na 0 alebo nie je nastavený vôbec
bottom setup sk spodok
but we <u>highly recommend backing up</u> your tables in case the script causes damage to your data.<br /><strong>these automated scripts can easily destroy your data.</strong> setup sk ale <u>dôrazne odporúèame zazálohova»</u> va¹u databázu pre prípad, ¾e skript po¹kodí va¹e dáta.<br /><strong>Tieto automatické skripty mô¾u veµmi µahko znièi» va¹e dáta.</strong>
cancel setup sk Zru¹i»
cannot create the header.inc.php due to file permission restrictions.<br /> instead you can %1 the file. setup sk Nepodarilo sa vytvori» header.inc.php kvôli nedostatoèným prístupovým právam.<br />Namiesto toho mô¾ete súbor %1.
change system-charset setup sk Zmeni» znakovú sadu systému
charset setup sk ISO-8859-2
charset to convert to setup sk Cieµová znaková sada
check can only be performed, if called via a webserver, as the user-id/-name of the webserver is not known. setup sk Kontrola sa dá vykona» len tak, ¾e sa spustí cez webserver, nakoµko pou¾ívateµské-ID/-meno webservera nie je známe.
check installation setup sk Skontrolova» in¹taláciu
check ip address of all sessions setup sk Skontrolova» IP adresu v¹etkých sedení
checking extension %1 is loaded or loadable setup sk Kontrola - roz¹írenie %1 je nahraté alebo dostupné
checking file-permissions of %1 for %2 %3: %4 setup sk Kontrolujem prístupové práva %1 pre %2 %3: %4
checking for gd support... setup sk Zis»ujem podporu GD...
checking pear%1 is installed setup sk Zis»ujem prítomnos» PEAR%1
checking php.ini setup sk Kontrolujem php.ini
checking required php version %1 (recommended %2) setup sk Kontrolujem po¾adovanú verziu PHP %1 (odporúèa sa %2)
checking the egroupware installation setup sk Kontrolujem in¹taláciu eGroupWare
click <a href="index.php">here</a> to return to setup. setup sk kliknite <a href="index.php">sem</a> pre návrat do In¹talátora.
click here setup sk Kliknite sem
click here to re-run the installation tests setup sk Kliknite sem pre znovuspustenie in¹talaèných testov
completed setup sk Hotovo
config password setup sk Heslo pre Konfiguráciu
config username setup sk Pou¾ívateµské meno pre Konfiguráciu
configuration setup sk Konfigurácia
configuration completed setup sk Konfigurácia - hotovo
configuration password setup sk Heslo pre Konfiguráciu
configuration user setup sk Pou¾ívateµské meno pre Konfiguráciu
configure now setup sk Konfiguruj teraz
confirm to delete this backup? setup sk Naozaj zmaza» túto zálohu?
contain setup sk obsahuje
continue setup sk Pokraèova»
continue to the header admin setup sk Pokraèova» k Správcovi hlavièiek
convert setup sk Konvertova»
convert backup to charset selected above setup sk Konvertuj zálohu na horeuvedenú znakovú sadu
could not open header.inc.php for writing! setup sk Nepodarilo sa zapísa» do header.inc.php!
country selection setup sk Výber krajiny
create setup sk Vytvori»
create a backup before upgrading the db setup sk vytvori» zálohu pred aktualizáciou DB
create admin account setup sk Vytvorenie správcovského úètu
create database setup sk Vytvori» databázu
create demo accounts setup sk Vytvori» testovacie úèty
create one now setup sk Ihneï jeden vytvori»
create the empty database - setup sk Vytvori» prázdnu databázu -
create the empty database and grant user permissions - setup sk Vytvori» prázdnu databázu a prideli» pou¾ívateµovi oprávnenia -
create your header.inc.php setup sk Vytvori» vá¹ header.inc.php
created setup sk vytvorené
created header.inc.php! setup sk Vytvoril som header.inc.php!
creating tables setup sk Vytváram tabuµky
current system-charset setup sk Súèasná systémová znaková sada
current system-charset is %1. setup sk Súèasná systémová znaková sada je %1.
current version setup sk Súèasná verzia
currently installed languages: %1 <br /> setup sk Momentálne nain¹talované jazyky: %1 <br />
database instance (egw domain) setup sk Databázová in¹tancia (eGW domain)
database successfully converted from '%1' to '%2' setup sk Databáza bola úspe¹ne konvertovaná z '%1' na '%2'
datebase setup sk Databáza
datetime port.<br />if using port 13, please set firewall rules appropriately before submitting this page.<br />(port: 13 / host: 129.6.15.28) setup sk Port pre dátum/èas.<br />Ak pou¾ívate port 13, prosím nastavte správne pravidlá na firewall-e, e¹te pred odoslaním tejto stránky.<br />(Port: 13 / Host: 129.6.15.28)
day setup sk deò
day of week<br />(0-6, 0=sunday) setup sk deò v tý¾dni<br />(0-6, 0=nedeµa)
db backup and restore setup sk DB zálohy a obnova
db name setup sk DB názov
db password setup sk DB heslo
db port setup sk DB port
db root password setup sk DB root heslo
db root username setup sk DB root pou¾ívateµské meno
db type setup sk DB typ
db user setup sk DB pou¾ívateµ
default setup sk odporúèaná predvolená hodnota
default file system space per user/group ? setup sk Predvolený priestor v súborovom systéme na pou¾ívateµa/skupinu?
delete setup sk Zmaza»
delete all existing sql accounts, groups, acls and preferences (normally not necessary)? setup sk Zmaza» v¹etky existujúce SQL úèty, skupiny, ACL (prístupové práva) a nastavenia? Zväè¹a to nie nevyhnutné.
delete all my tables and data setup sk Zma¾ v¹etky moje tabuµky a dáta
delete all old languages and install new ones setup sk Zma¾ v¹etky staré jazyky a nain¹taluj nové
deleting tables setup sk Ma¾em tabuµky
demo server setup setup sk Nastavenie testovacieho (demo) servera
deny access setup sk Zaká¾ prístup
deny all users access to grant other users access to their entries ? setup sk Zakáza» v¹etkým pou¾ívateµom mo¾nos», aby pridelili právo iným pou¾ívateµom pre vstup do svojich záznamov?
dependency failure setup sk Zlyhanie závislostí
deregistered setup sk odregistrované
details for admin account setup sk Podrobnosti pre správcov úèet
did not find any valid db support! setup sk Nena¹iel som ¾iadnu funkènú podporu pre DB!
do you want persistent connections (higher performance, but consumes more resources) setup sk Chcete trvalé spojenia (vy¹¹í výkon, ale väè¹ie nároky na zdroje)
do you want to manage homedirectory and loginshell attributes? setup sk Chcete spravova» domovský adresár a atribúty login shellu?
does not exist setup sk neexistuje
domain setup sk Doména
domain name setup sk Názov domény
domain select box on login setup sk Výber domény na prihlasovacej stránke
dont touch my data setup sk Nedotýkaj sa mojich dát
download setup sk Stiahnu»
edit current configuration setup sk Upravi» súèasnú Konfiguráciu
edit your existing header.inc.php setup sk Upravi» existujúci header.inc.php
edit your header.inc.php setup sk Upravi» header.inc.php
egroupware administration manual setup sk Správcovský manuál eGroupWare
enable for extra debug-messages setup sk zapnú» extra ladiace správy
enable ldap version 3 setup sk Zapnú» LDAP verzie 3
enable mcrypt setup sk Zapnú» MCrypt
enter some random text for app session encryption setup sk Zadajte nejaký náhodný text pre potreby kódovania sedenia aplikácie
enter some random text for app_session <br />encryption (requires mcrypt) setup sk Zadajte nejaký náhodný text pre potreby <br />kódovania sedenia aplikácie (vy¾aduje mcrypt)
enter the full path for temporary files.<br />examples: /tmp, c:\temp setup sk Zadajte plnú cestu k doèasným súborom.<br />Príklady: /tmp, C:\TEMP
enter the full path for users and group files.<br />examples: /files, e:\files setup sk Zadajte plnú cestu k súborom pou¾ívateµov a skupín.<br />Príklady: /files, E:\FILES
enter the full path to the backup directory.<br />if empty: files directory setup sk Zadajte plnú cestu k adresáru záloh.<br />ak ponecháte prázdne: adresár files
enter the hostname of the machine on which this server is running setup sk Zadajte názov (hostname) stroja na ktorom be¾í tento server
enter the location of egroupware's url.<br />example: http://www.domain.com/egroupware &nbsp; or &nbsp; /egroupware<br /><b>no trailing slash</b> setup sk Zadajte umiestnenie URL eGroupWare.<br />Príklad: http://www.domain.com/egroupware alebo /egroupware<br /><b>Bez ukonèovacieho lomítka</b>
enter the site password for peer servers setup sk Zadajte heslo stránky pre peer servre
enter the site username for peer servers setup sk Zadajte pou¾ívateµské meno stránky pre peer servre
enter the title for your site setup sk Zadajte nadpis va¹ej stránky
enter your default ftp server setup sk Zadajte vá¹ predvolený FTP server
enter your http proxy server setup sk Zadajte vá¹ HTTP proxy server
enter your http proxy server password setup sk Zadajte heslo vá¹ho HTTP proxy servera
enter your http proxy server port setup sk Zadajte port vá¹ho HTTP proxy servera
enter your http proxy server username setup sk Zadajte pou¾ívateµské meno vá¹ho HTTP proxy servera
error in admin-creation !!! setup sk Chyba pri vytváraní správcu!!!
error in group-creation !!! setup sk Chyba pri vytváraní skupiny!!!
export egroupware accounts from sql to ldap setup sk Exportova» eGroupWare úèty z SQL do LDAP
export has been completed! you will need to set the user passwords manually. setup sk Export vykonaný! Budete musie» ruène zada» heslá pou¾ívateµov.
export sql users to ldap setup sk Exportova» SQL pou¾ívateµov do LDAP
false setup sk NIE
file setup sk Súbor
file type, size, version, etc. setup sk typ súboru, veµkos», verzia, atï.
file uploads are switched off: you can not use any of the filemanagers, nor can you attach files in several applications! setup sk Nahrávanie súborov je vypnuté: NEmô¾ete pou¾íva» ¾iadneho správcu súborov, ani prilo¾i» súbory v niektorých aplikáciách!
filename setup sk názov súboru
filesystem setup sk Súborový systém
for a new install, select import. to convert existing sql accounts to ldap, select export setup sk Pre novú in¹taláciu, zvoµte import. Pre konverziu existujúcich SQL úètov do LDAP, zvoµte export
force selectbox setup sk Vynú» menu pre výber
found existing configuration file. loading settings from the file... setup sk Na¹iel som existujúci konfiguraèný súbor. Nahrávam z neho nastavenia...
go back setup sk Naspä»
go to setup sk Choï na
grant access setup sk Povoµ prístup
has a version mismatch setup sk má zmätok vo verziách
header admin login setup sk Prihlásenie Správcu hlavièiek
header password setup sk Heslo pre hlavièky
header username setup sk Pou¾ívateµské meno pre hlavièky
historylog removed setup sk Záznam histórie odstránený
host/ip domain controler setup sk Názov/IP radièa domény
hostname/ip of database server setup sk Názov/IP databázového servera
hour (0-24) setup sk hodina (0-24)
however, the application is otherwise installed setup sk Av¹ak aplikácia je ináè nain¹talovaná
however, the application may still work setup sk Av¹ak aplikácia mo¾no stále funguje
if no acl records for user or any group the user is a member of setup sk Ak pre pou¾ívateµa neexistujú ACL záznamy, pou¾ívateµom je èlenom
if safe_mode is turned on, egw is not able to change certain settings on runtime, nor can we load any not yet loaded module. setup sk Ak je bezpeèný re¾im zapnutý, eGW nedoká¾e zmeni» niektoré veci za behu, ani nahra» nejaký nenahratý modul.
if the application has no defined tables, selecting upgrade should remedy the problem setup sk Ak aplikácia nemá tabuµky definícií, voµba "aktualizácia" by mala problém vyrie¹i»
if using ads (active directory) authentication setup sk Ak pou¾ívate ADS (ActiveDirectory) autentifikáciu
if using ldap setup sk Ak pou¾ívate LDAP
if using ldap, do you want to manage homedirectory and loginshell attributes? setup sk Ak pou¾ívate LDAP, chcete spravova» domovský adresár a atribúty login shell?
if you did not receive any errors, your applications have been setup sk Ak ste neobdr¾ali ¾iadne chyby, va¹e aplikácie boli
if you did not receive any errors, your tables have been setup sk Ak ste neobdr¾ali ¾iadne chyby, va¹e tabuµky boli
if you running this the first time, don't forget to manualy %1 !!! setup sk Ak ste tu prvýkrát, nezabudnite ruène %1 !!!
if you use only languages of the same charset (eg. western european ones) you dont need to set a system-charset! setup sk Ak pou¾ívate iba jazyky s toto¾nou znakovou sadou (napr. západoeurópske), nepotrebujete nastavova» systémovú znakovú sadu!
image type selection order setup sk Poradie výberu typu obrázku
import accounts from ldap to the egroupware accounts table (for a new install using sql accounts) setup sk Importova» úèty z LDAP do eGroupWare tabuµky úètov (pre novú in¹taláciu pou¾ívajúcu SQL úèty)
import has been completed! setup sk Import bol dokonèený!
import ldap users/groups setup sk Importova» LDAP pou¾ívateµov/skupiny
importing old settings into the new format.... setup sk Importujem staré nastavenia do nového formátu...
include root (this should be the same as server root unless you know what you are doing) setup sk Include Root (mal by by» toto¾ný so Server Root-om, v opaènom prípade musíte presne vedie» èo robíte)
include_path need to contain "." - the current directory setup sk include_path musí obsahova» "." - súèasný adresár
install setup sk In¹talova»
install all setup sk In¹talova» v¹etko
install applications setup sk In¹talova» aplikácie
install backup setup sk in¹talova» zálohu
install language setup sk In¹talova» jazyk
installed setup sk nain¹talované
instructions for creating the database in %1: setup sk In¹trukcie pre vytvorenie databázy v %1:
invalid ip address setup sk Chybná IP adresa
invalid mcrypt algorithm/mode combination setup sk Chybná kombinácia Mcrypt algoritmu/re¾imu
invalid password setup sk Chybné heslo
is broken setup sk je pokazené
is disabled setup sk je vypnuté
is in the webservers docroot setup sk je v docroot-e webservera
is not writeable by the webserver setup sk nie je zapisovateµný pre webserver
ldap account import/export setup sk Import/export LDAP úètov
ldap accounts configuration setup sk Konfigurácia LDAP úètov
ldap default shell (e.g. /bin/bash) setup sk LDAP predvolený shell (napr. /bin/bash)
ldap encryption type setup sk LDAP typ kryptovania
ldap export setup sk LDAP Export
ldap export users setup sk LDAP export pou¾ívateµov
ldap import setup sk LDAP Import
ldap import users setup sk LDAP import pou¾ívateµov
ldap modify setup sk LDAP zmena
ldap root password setup sk LDAP root heslo
ldap search filter for accounts, default: "(uid=%user)", %domain=egw-domain setup sk LDAP vyhµadávací filter pre úèty, predvolený: "(uid=%user)", %domain=eGW-domain
limit access to setup to the following addresses, networks or hostnames (e.g. 127.0.0.1,10.1.1,myhost.dnydns.org) setup sk Povoli» prístup k In¹talátoru len pre nasledujúce adresy, siete alebo hostnames (napr. 127.0.0.1,10.1.1,myhost.dnydns.org)
login as user postgres, eg. by using su as root setup sk Prihlási» sa ako pou¾ívateµ postgres, napr. pou¾itím su pod root-om
login to mysql - setup sk Prihlási» do mysql -
logout setup sk Odhlásenie
mail domain (for virtual mail manager) setup sk Po¹tová doména (pre virtuálneho emailového mana¾éra)
mail server login type setup sk Typ prihlásenia po¹tového servera
mail server protocol setup sk Protokol po¹tového servera
make sure that your database is created and the account permissions are set setup sk Uistite sa, ¾e va¹a databáza je u¾ vytvorená a prístupové práva úètov nastavené
manage applications setup sk Správa aplikácií
manage languages setup sk Správa jazykov
max_execution_time is set to less than 30 (seconds): egroupware sometimes needs a higher execution_time, expect occasional failures setup sk Maximálny èas vykonávania je nastavené na menej ne¾ 30 (sekúnd): eGroupWare z èasu na èas potrebuje väè¹í èas vykonávania, okrem výnimoèných zlyhaní
maximum account id (e.g. 65535 or 1000000) setup sk Maximálne ID úètu (napr. 65535 alebo 1000000)
may be broken setup sk mô¾e by» pokazená
mcrypt algorithm (default tripledes) setup sk Mcrypt algoritmus (predvolený TRIPLEDES)
mcrypt initialization vector setup sk MCrypt inicializaèný vektor
mcrypt mode (default cbc) setup sk MCrypt re¾im (predvolený CBC)
mcrypt settings (requires mcrypt php extension) setup sk Nastavenia MCrypt (vy¾aduje mcrypt PHP roz¹írenie)
mcrypt version setup sk Verzia MCrypt
memory_limit is set to less than 16m: some applications of egroupware need more than the recommend 8m, expect occasional failures setup sk pamä»ový limit je nastavený na menej ne¾ 16M; niektoré aplikácie v eGroupWare potrebujú viac ne¾ odporúèaných 8M, okrem výnimoèných zlyhaní
minimum account id (e.g. 500 or 100, etc.) setup sk Najmen¹ie ID úètu (napr. 500 alebo 100, atï.)
minute setup sk minúta
missing or uncomplete mailserver configuration setup sk Chýbajúce alebo neúplné nastavenie po¹tového servera
modifications have been completed! setup sk Úpravy dokonèené!
modify setup sk Upravi»
month setup sk mesiac
multi-language support setup setup sk Nastavenie mnohojazyènej podpory
name of database setup sk Meno databázy
name of db user egroupware uses to connect setup sk Meno db pou¾ívateµa, pod ktorým sa eGroupWare pripája
never setup sk nikdy
new setup sk Nové
next run setup sk ïal¹í prechod
no setup sk Nie
no %1 support found. disabling setup sk Nena¹la sa podpora pre %1. Vypínam
no accounts existing setup sk ®iadne úèty neexistujú
no algorithms available setup sk nie sú dostupné ¾iadne algoritmy
no modes available setup sk nie sú dostupné ¾iadne re¾imy
no xml support found. disabling setup sk Nena¹la sa podpora XML. Vypínam
not setup sk nie
not all mcrypt algorithms and modes work with egroupware. if you experience problems try switching it off. setup sk Nie v¹etky algoritmy a re¾imy mcrypt-u fungujú s eGroupWare. Ak narazíte na problém, skúste to vypnú».
not complete setup sk nedokonèené
not completed setup sk Nedokonèené
not ready for this stage yet setup sk Na túto fázu nie sme pripravení
not set setup sk nenastavené
note: you will be able to customize this later setup sk Upozornenie: neskôr to budete môc» zmeni»
now guessing better values for defaults... setup sk Teraz hádam lep¹ie hodnoty pre predvolené...
odbc / maxdb: dsn (data source name) to use setup sk ODBC/MaxDB: aké DSN (data source name) pou¾i»
ok setup sk OK
once the database is setup correctly setup sk Akonáhle bude databáza korektne nastavená
one month setup sk jeden mesiac
one week setup sk jeden tý¾deò
only add languages that are not in the database already setup sk Iba prida» tie jazyky, ktoré e¹te nie sú v databáze
only add new phrases setup sk Iba prida» nové frázy
or setup sk alebo
or %1continue to the header admin%2 setup sk alebo %1Pokraèova» k Správcovi hlavièiek%2
or http://webdav.domain.com (webdav) setup sk alebo http://webdav.domain.com (WebDAV)
or we can attempt to create the database for you: setup sk Alebo sa mô¾em pokúsi» vytvori» va¹u databázu:
or you can install a previous backup. setup sk Alebo mô¾ete nain¹talova» predchádzajúcu zálohu
password for smtp-authentication setup sk Heslo pre SMTP autentifikáciu
password needed for configuration setup sk Heslo potrebné pre konfiguráciu
password of db user setup sk Heslo db pou¾ívateµa
passwords did not match, please re-enter setup sk Heslá nesedia, prosím zadajte znovu
path information setup sk Informácia o ceste
path to user and group files has to be outside of the webservers document-root!!! setup sk Cesta k súborom pou¾ívateµov a skupín MUSÍ BY« MIMO document-root webservera!!!
pear is needed by syncml or the ical import+export of calendar. setup sk PEAR je potrebný pre SyncML alebo iCal import+export kalendára.
pear::log is needed by syncml. setup sk PEAR::Log je vy¾adovaný: SyncML.
persistent connections setup sk Trvalé spojenia
php plus restore gives by far the best performance, as it stores the egw enviroment completly in the session. setup sk PHP plus restore dáva ïaleko najlep¹í výkon, keï¾e ukladá kompletné prostredie eGW v rámci sedenia.
please check for sql scripts within the application's directory setup sk Prosím porozhliadnite sa po sql skriptoch vnútri adresára aplikácie
please check read/write permissions on directories, or back up and use another option. setup sk Prosím skontrolujte prístupové práva pre èítanie/zápis do adresárov, alebo sa vrá»te a pou¾ite inú voµbu.
please configure egroupware for your environment setup sk Prosím nastavte si svoje prostredie v eGroupWare
please consult the %1. setup sk Prosím konzultujte %1.
please fix the above errors (%1) and warnings(%2) setup sk Prosím opravte horeuvedené chyby (%1) a varovania (%2)
please install setup sk Prosím nain¹talujte
please login setup sk Prosím prihláste sa
please login to egroupware and run the admin application for additional site configuration setup sk Prosím prihláste sa do eGroupWare a spustite správcovskú (admin) aplikáciu pre dodatoèné nastavenie stránky
please make the following change in your php.ini setup sk Prosím vykonajte nasledujúcu zmenu v php.ini
please wait... setup sk Prosím èakajte...
pop/imap mail server hostname or ip address setup sk Názov (hostname) alebo IP adresa POP/IMAP servera
possible reasons setup sk Mo¾né príèiny
possible solutions setup sk Mo¾né rie¹enia
post-install dependency failure setup sk Poin¹talaèné zlyhanie závislostí
postgres: leave it empty to use the prefered unix domain sockets instead of a tcp/ip connection setup sk Postgres: Ak ponecháte prázdne, pou¾ijú sa uprednostnené unix domain socket-y namiesto tcp/ip spojenia
potential problem setup sk Mo¾ný problém
preferences setup sk Nastavenia
problem resolution setup sk Vysvetlenie problému
process setup sk Proces
re-check my database setup sk Znovu skontrolova» databázu
re-check my installation setup sk Znovu skontrolova» in¹taláciu
re-enter password setup sk Znovuzadajte heslo
read translations from setup sk Naèíta» preklady z
readable by the webserver setup sk èitateµné pre webserver
really uninstall all applications setup sk SKUTOÈNE odin¹talova» v¹etky aplikácie
recommended: filesystem setup sk Odporúèané: Súborový systém
register_globals is turned on, egroupware does not require it and it's generaly more secure to have it turned off setup sk register_globals sú zapnuté, eGroupWare to NEvy¾aduje a je celkovo omnoho bezpeènej¹ie VYPNÚ« ich
registered setup sk registrované
rejected lines setup sk Odmietnuté riadky
remove setup sk Odstráni»
remove all setup sk Odstráni» v¹etko
rename setup sk Premenova»
requires reinstall or manual repair setup sk Vy¾aduje rein¹taláciu alebo ruènú opravu
requires upgrade setup sk Vy¾aduje aktualizáciu
resolve setup sk Vyrie¹i»
restore setup sk Obnovi»
restore failed setup sk Obnova sa nepodarila
restore finished setup sk obnova dokonèená
restore started, this might take a few minutes ... setup sk obnova sa zaèala, potrvá to zopár minút...
restoring a backup will delete/replace all content in your database. are you sure? setup sk Obnova zo zálohy zma¾e/prepí¹e celý obsah databázy. Ste si istí?
return to setup setup sk Návrat do In¹talátora
run installation tests setup sk Vykona» in¹talaèné testy
safe_mode is turned on, which is generaly a good thing as it makes your install more secure. setup sk bezpeèný re¾im je zapnutý, èo je dobre preto¾e zvy¹uje bezpeènos» va¹ej in¹talácie
sample configuration not found. using built in defaults setup sk Vzorové nastavenia sa nena¹li. Pou¾ijem zabudované predvoµby
save setup sk Ulo¾i»
save this text as contents of your header.inc.php setup sk Ulo¾i» tento text ako obsah vá¹ho header.inc.php
schedule setup sk naplánuj
scheduled backups setup sk naplánované zálohy
select an app, enter a target version, then submit to process to that version.<br />if you do not enter a version, only the baseline tables will be installed for the app.<br /><blink>this will drop all of the apps' tables first!</blink> setup sk Vyberte aplikáciu, zadajte cieµovú verziu, potom to odo¹lite procesu s tou verziou.<br />Ak nezadáte verziu, iba základné tabuµky sa nain¹talujú pre danú aplikáciu.<br /><blink>TÝMTO SA ZAHODIA V©ETKY TABU¥KY APLIKÁCIE!</blink>
select one... setup sk vyberte jednu...
select the default applications to which your users will have access setup sk Vyberte predvolenú aplikáciu, ku ktorej budú ma» pou¾ívatelia prístup
select the desired action(s) from the available choices setup sk Vyberte po¾adovanú akciu(e) spomedzi dostupných mo¾ností
select to download file setup sk Zvoµte pre stiahnutie súboru
select where you want to store/retrieve file contents setup sk Vyberte, kam chcete uklada»/èíta» obsah súboru
select where you want to store/retrieve filesystem information setup sk Vyberte, kam chcete uklada»/èíta» informácie o súborovom systéme
select where you want to store/retrieve user accounts setup sk Vyberte, kam chcete uklada»/èíta» pou¾ívateµské úèty
select which group(s) will be exported (group membership will be maintained) setup sk Vyberte, ktorá skupina/skupiny sa vyexportuje/ú (èlenstvo v skupine sa zachová)
select which group(s) will be imported (group membership will be maintained) setup sk Vyberte, ktorá skupina/skupiny sa naimportuje/ú (èlenstvo v skupine sa zachová)
select which group(s) will be modified (group membership will be maintained) setup sk Vyberte, ktorá skupina/skupiny sa upraví/ia (èlenstvo v skupine sa zachová)
select which languages you would like to use setup sk Vyberte, ktoré jazyky budete pou¾íva»
select which method of upgrade you would like to do setup sk Vyberte, ktorou metódou chcete aktualizova»
select which type of authentication you are using setup sk Vyberte, aký typ autentifikácie pou¾ívate
select which user(s) will also have admin privileges setup sk Vyberte ïal¹ích pou¾ívateµov, ktorí majú dosta» správcovské oprávnenia
select which user(s) will be exported setup sk Vyberte, ktorý/í pou¾ívateµ/lia sa vyexportuje/ú
select which user(s) will be imported setup sk Vyberte, ktorý/í pou¾ívateµ/lia sa naimportuje/ú
select which user(s) will be modified setup sk Vyberte, ktorý/í pou¾ívateµ/lia sa upraví/ia
select which user(s) will have admin privileges setup sk Vyberte, ktorý/í pou¾ívateµ/lia dostane/ú správcovské oprávnenia
select your old version setup sk Vyberte va¹u starú verziu
selectbox setup sk Výberové menu
sessions type setup sk Typ sedenia
set setup sk nastav
set this to "old" for versions &lt; 2.4, otherwise the exact mcrypt version you use. setup sk Nastavte na "staré" pre verzie <2.4, ináè zadajte presnú verziu mcrypt-u akú pou¾ívate.
setting the system-charset to utf-8 (unicode) allows the coexistens of data from languages of different charsets. setup sk Nastavenie kódovej stránky na UTF-8 (unicode) umo¾òuje koexistenciu dát z rôznych jazykov, pou¾ívajúcich rozlièné kódové stránky.
settings setup sk Nastavenia
setup setup sk In¹talátor
setup demo accounts in ldap setup sk Vytvori» testovacie (demo) úèty v LDAP
setup main menu setup sk Hlavné menu In¹talátora
setup the database setup sk In¹talácia databázy
setup/config admin login setup sk Prihlásenie Správcu In¹talátora/Konfigurácie
show 'powered by' logo on setup sk Kde zobrazova» logo "powered by"
size setup sk veµkos»
skip the installation tests (not recommended) setup sk Preskoèi» in¹talaèné testy (neodporúèa sa)
smtp server hostname or ip address setup sk Názov (hostname) alebo IP adresa SMTP servera
smtp server port setup sk Port servera SMTP
some or all of its tables are missing setup sk Chýbajú niektoré alebo v¹etky jeho tabuµky
sql encryption type setup sk Typ SQL kryptovania pre heslá (predvolené - md5)
standard (login-name identical to egroupware user-name) setup sk ¹tandardné (prihlasovacie meno toto¾né s pou¾ívateµským menom eGroupWare)
standard mailserver settings (used for mail authentication too) setup sk Nastavenia predvoleného po¹tového servera (pou¾ité aj pre Mailovú autentifikáciu)
start the postmaster setup sk Spusti» postmastera
status setup sk Stav
step %1 - admin account setup sk Krok %1 - Úèet Správcu
step %1 - advanced application management setup sk Krok %1 - Roz¹írená správa aplikácií
step %1 - configuration setup sk Krok %1 - Konfigurácia
step %1 - db backup and restore setup sk Krok %1 - Zálohovanie a obnova Databázy
step %1 - language management setup sk Krok %1 - Správa jazykov
step %1 - simple application management setup sk Krok %1 - Jednoduchá správa aplikácií
succesfully uploaded file %1 setup sk úspe¹ne nahratý súbor %1
table change messages setup sk Správy pri zmene tabuliek
tables dropped setup sk tabuµky zahodené
tables installed, unless there are errors printed above setup sk tabuµky nain¹talované, ak len nevidno nejaké chybové hlásenia
tables upgraded setup sk tabuµky aktualizované
target version setup sk Cieµová verzia
tcp port number of database server setup sk Èíslo TCP portu databázového servera
text entry setup sk Textová polo¾ka
the %1 extension is needed, if you plan to use a %2 database. setup sk Ak plánujete pou¾íva» %2 databázu, je potrebné roz¹írenie %1.
the db_type in defaults (%1) is not supported on this server. using first supported type. setup sk Typ databázy v predvolených (%1) nie je podporovaný na tomto serveri. Pou¾ije sa prvý podporovaný typ.
the file setup sk súbor
the first step in installing egroupware is to ensure your environment has the necessary settings to correctly run the application. setup sk Prvým krokom pri in¹talácii eGroupWare je kontrola, èi va¹e prostredie obsahuje v¹etky nevyhnutné nastavenia pre správny chod aplikácie.
the following applications need to be upgraded: setup sk Nasledovné aplikácie potrebujú aktualizáciu:
the imap extension is needed by the two email apps (even if you use email with pop3 as protocoll). setup sk IMAP roz¹írenie je vy¾adované dvoma emailovými aplikáciami (aj v prípade ¾e pou¾ívate POP3 protokol).
the mbstring extension is needed to fully support unicode (utf-8) or other multibyte-charsets. setup sk Roz¹írenie mbstring je potrebné pre plnú podporu unicode (utf-8) alebo iných viacbajtových znakových sád.
the mbstring.func_overload = 7 is needed to fully support unicode (utf-8) or other multibyte-charsets. setup sk mbstring.func_overload = 7 je potrebné pre plnú podporu unicode (utf-8) alebo iných viacbajtových znakových sád.
the session extension is needed to use php sessions (db-sessions work without). setup sk Roz¹írenie sedenia je potrebné pre pou¾itie php sedení (db sedenia fungujú aj bez neho).
the table definition was correct, and the tables were installed setup sk Definícia tabuµky bola korektná, tabuµky sa nain¹talovali.
the tables setup sk tabuµky
there was a problem trying to connect to your ldap server. <br /> setup sk Problém pri pripájaní sa na LDAP server. <br />
there was a problem trying to connect to your ldap server. <br />please check your ldap server configuration setup sk Nastav problém pri pripájaní sa na LDAP server. <br />prosím skontrolujte nastavenia LDAP servera
this has to be outside the webservers document-root!!! setup sk Musí by» MIMO document-root webservera!!!
this might take a while, please wait ... setup sk Chvíµu to potrvá, prosím èakajte...
this program lets you backup your database, schedule a backup or restore it. setup sk Tento program umo¾òuje zálohovanie databázy, naplánovanie záloh a obnovu zo zálohy.
this program will convert your database to a new system-charset. setup sk Tento program skonvertuje va¹u databázu na novú systémovú znakovú sadu.
this program will help you upgrade or install different languages for egroupware setup sk Tento program vám pomô¾e s aktualizáciou alebo in¹taláciou rozlièných jazykov v eGroupWare.
this section will help you export users and groups from egroupware's account tables into your ldap tree setup sk Táto sekcia vám pomô¾e s exportom pou¾ívateµov a skupín z úètových tabuliek eGroupWare do stromu LDAP
this section will help you import users and groups from your ldap tree into egroupware's account tables setup sk Táto sekcia vám pomô¾e s importom pou¾ívateµov a skupín z LDAP stromu do úètovej tabuµky eGroupWare
this section will help you setup your ldap accounts for use with egroupware setup sk Táto sekcia vám pomô¾e nastavi» LDAP úèty pre ich pou¾itie v eGroupWare
this should be around 30 bytes in length.<br />note: the default has been randomly generated. setup sk Då¾ka by mohla by» okolo 30 bajtov.<br />Upozornenie: Predvolená hodnota sa generovala náhodne.
this stage is completed<br /> setup sk Táto fáza je dokonèená<br />
to a version it does not know about setup sk na verziu ktorú nepozná
to allow password authentification add the following line to your pg_hba.conf (above all others) and restart postgres: setup sk pre povolenie autentifikácie hesiel, pridajte nasledujúci riadok do pg_hba.conf (nad v¹etkými ostatnými) A re¹tartujte postgres:
to change the charset: back up your database, deinstall all applications and re-install the backup with "convert backup to charset selected" checked. setup sk Pre zmenu znakovej sady: zazálohujte si databázu, odin¹talujte v¹etky aplikácie a prein¹talujte zálohu so zapnutou voµbou "konvertova» zálohu na vybranú znakovú sadu".
to setup 1 admin account and 3 demo accounts. setup sk pre vytvorenie 1 správcovského a 3 testovacích (demo) úètov
top setup sk vrch
translations added setup sk Preklady pridané
translations removed setup sk Preklady odstránené
translations upgraded setup sk Preklady aktualizované
true setup sk ÁNO
try to configure your php to support one of the above mentioned dbms, or install egroupware by hand. setup sk Skúste nastavi» va¹e php pre podporu niektorého z horeuvedených DBMS, alebo ruène nain¹talujte eGroupWare.
two weeks setup sk dva tý¾dne
unfortunally some php/apache packages have problems with it (apache dies and you cant login anymore). setup sk Nane¹»astie niektoré PHP/Apache balíky s tým majú problém (Apache sa zosype a nedá sa prihlási»).
uninstall setup sk odin¹talova»
uninstall all applications setup sk Odin¹talova» v¹etky aplikácie
uninstalled setup sk odin¹talované
upgrade setup sk Aktualizova»
upgrade all setup sk Aktualizova» v¹etko
upgraded setup sk aktualizované
upgrading tables setup sk Aktualizujem tabuµky
upload backup setup sk nahraj DB zo zálohy
uploads a backup and installs it on your db setup sk nahrá zálohu a nain¹taluje ju do va¹ej DB
uploads a backup to the backup-dir, from where you can restore it setup sk nahrá zálohu do zálohového adresára, odkiaµ ju mô¾ete obnovi»
use cookies to pass sessionid setup sk Pou¾íva» cookie na odovzdanie ID sedenia
use pure html compliant code (not fully working yet) setup sk Pou¾íva» èistý HTML kód (zatiaµ nie je plne funkèné)
user for smtp-authentication (leave it empty if no auth required) setup sk Pou¾ívateµ pre SMTP-autentifikáciu (ak netreba, nechajte prázdne)
usernames are casesensitive setup sk Pou¾ívateµské mená sú citlivé na veµkos» písma
users choice setup sk Pou¾ívateµská voµba
utf-8 (unicode) setup sk utf-8 (Unicode)
version setup sk verzia
version mismatch setup sk zmätok vo verziách
view setup sk Zobrazi»
virtual mail manager (login-name includes domain) setup sk Virtuálny emailový mana¾ér (prihlasovacie meno obsahuje doménu)
warning! setup sk Varovanie!
we can proceed setup sk Mô¾eme prikroèi»
we will automatically update your tables/records to %1 setup sk Automaticky vykonáme aktualizáciu va¹ich tabuliek/záznamov na %1,
we will now run a series of tests, which may take a few minutes. click the link below to proceed. setup sk Teraz spustíme sériu testov, èo mô¾e trva» zopár minút. Pre pokraèovanie kliknite na ni¾¹ieuvedený odkaz.
welcome to the egroupware installation setup sk Vitajte v In¹talátore eGroupWare
what type of sessions management do you want to use (php session management may perform better)? setup sk Aký typ správy sedenia chcete pou¾íva» (PHP správa sedenia mô¾e by» výkonnej¹ia)?
which database type do you want to use with egroupware? setup sk Ktorú databázu chcete pou¾íva» s eGroupWare?
world readable setup sk èitateµné pre celý svet
world writable setup sk zapisovateµné pre celý svet
would you like egroupware to cache the phpgw info array ? setup sk Chcete aby eGroupWare ke¹oval info pole phpgw?
would you like egroupware to check for a new version<br />when admins login ? setup sk Chcete aby eGroupWare zis»oval nov¹ie verzie<br />po prihlásení správcu?
would you like to show each application's upgrade status ? setup sk Chcete zobrazi» stav aktualizácie jednotlivých aplikácií?
writable by the webserver setup sk zapisovateµné webserverom
write config setup sk Zapísa» nastavenia
year setup sk rok
yes setup sk Áno
yes, with lowercase usernames setup sk Áno, s pou¾ívateµskými menami malými písmenami
you appear to be running a pre-beta version of egroupware.<br />these versions are no longer supported, and there is no upgrade path for them in setup.<br /> you may wish to first upgrade to 0.9.10 (the last version to support pre-beta upgrades) <br />and then upgrade from there with the current version. setup sk Zdá sa, ¾e pou¾ívate pre-beta verziu eGroupWare.<br />Tieto verzie u¾ nie sú podporované, a neexistuje mo¾nos» aktualizácie pomocou In¹talátora.<br />Mohli by ste napríklad najprv aktualizova» na 0.9.10 (posledná verzia s podporou pre-beta aktualizácií) <br />a a¾ potom aktualizova» na súèasnú verziu.
you appear to be running an old version of php <br />it its recommend that you upgrade to a new version. <br />older version of php might not run egroupware correctly, if at all. <br /><br />please upgrade to at least version %1 setup sk Zdá sa, ¾e pou¾ívate starú verziu PHP <br />Odporúèame vám aktualizova» na nov¹iu verziu.<br />Na starej verzii PHP nemusí eGroupWare správne fungova» (ak vôbec).<br /><br />Prosím prejdite aspoò na verziu %1
you appear to be running version %1 of egroupware setup sk Zdá sa ¾e pou¾ívate eGroupWare verziu %1.
you appear to be using php earlier than 4.1.0. egroupware now requires 4.1.0 or later setup sk Zdá sa ¾e pou¾ívate PHP star¹ie ne¾ 4.1.0. eGroupWare vy¾aduje verziu 4.1.0 alebo nov¹iu
you appear to have %1 support. setup sk Zdá sa, ¾e máte podporu %1.
you appear to have php session support. enabling php sessions. setup sk Zdá sa, ¾e máte podporu PHP sedení. Zapínam PHP sedenia.
you appear to have xml support enabled setup sk Zdá sa, ¾e máte zapnutú podporu XML
you are ready for this stage, but this stage is not yet written.<br /> setup sk Ste pripravení na túto fázu, ale tá e¹te nebola napísaná,<br />
you can install it by running: setup sk Mô¾ete to nain¹talova» spustením:
you didn't enter a config password for domain %1 setup sk Nezadali ste konfiguraèné heslo pre doménu %1
you didn't enter a config username for domain %1 setup sk Nezadali ste konfiguraèné pou¾ívateµské meno pre doménu %1
you didn't enter a header admin password setup sk Nezadali ste heslo Správcu hlavièiek
you didn't enter a header admin username setup sk Nezadali ste pou¾ívateµské meno Správcu hlavièiek
you do not have any languages installed. please install one now <br /> setup sk Nemáte nain¹talované ¾iadne jazyky. Prosím, nain¹talujte si teraz aspoò jeden <br />
you have not created your header.inc.php yet!<br /> you can create it now. setup sk E¹te ste si nevytvorili header.inc.php!<br />Mô¾ete tak urobi» teraz.
you have successfully logged out setup sk Úspe¹ne ste sa odhlásili
you must enter a username for the admin setup sk Musíte zada» pou¾ívateµské meno pre Správcu
you need to add some domains to your header.inc.php. setup sk Treba zada» nejaké domény do header.inc.php.
you need to select your current charset! setup sk Treba zada» va¹u súèasnú znakovú sadu!
you should either uninstall and then reinstall it, or attempt manual repairs setup sk mali by ste buï odin¹talova» a potom znovu nain¹talova», alebo sa pokúsi» o ruèné opravy
you will need to load the proper schema into your ldap server - see phpgwapi/doc/ldap/readme setup sk Bude potrebné, aby ste nahrali príslu¹nú schému do vá¹ho ldap servera - pozrite phpgwapi/doc/ldap/README
you're using an old configuration file format... setup sk Pou¾ívate starý formát konfiguraèného súboru...
you're using an old header.inc.php version... setup sk Pou¾ívate starú verziu header.inc.php...
your applications are current setup sk Va¹e aplikácie sú aktuálne
your backup directory '%1' %2 setup sk Vá¹ zálohový adresár '%1' %2
your database does not exist setup sk Va¹a databáza neexistuje
your database is not working! setup sk Va¹a databáza nefunguje!
your database is working, but you dont have any applications installed setup sk Va¹a databáza funguje, ale zatiaµ nie sú nain¹talované ¾iadne aplikácie
your egroupware api is current setup sk Va¹e eGroupWare API je aktuálne
your files directory '%1' %2 setup sk Vá¹ adresár pre súbory '%1' %2
your header admin password is not set. please set it now! setup sk Heslo Správcu hlavièiek NIE JE nastavené. Prosím nastavte ho teraz!
your header.inc.php needs upgrading. setup sk Vá¹ header.inc.php potrebuje aktualizáciu.
your header.inc.php needs upgrading.<br /><blink><b class="msg">warning!</b></blink><br /><b>make backups!</b> setup sk Vá¹ header.inc.php potrebuje aktualizáciu.<br /><blink><b class="msg">POZOR!</b></blink><br /><b>NAJPRV UROBTE ZÁLOHY!</b>
your php installation does not have appropriate gd support. you need gd library version 1.8 or newer to see gantt charts in projects. setup sk Va¹a in¹talácia PHP nemá patriènú podporu pre GD. Potrebujete kni¾nicu gd verzie aspoò 1.8, aby ste mohli pou¾íva» Gantt grafy v projektoch.
your tables are current setup sk Va¹e tabuµky sú aktuálne
your tables will be dropped and you will lose data setup sk Va¹e tabuµky budú zahodené a stratíte dáta!
your temporary directory '%1' %2 setup sk Vá¹ adresár doèasných súborov '%1' %2

532
setup/lang/phpgw_sl.lang Normal file
View File

@ -0,0 +1,532 @@
%1 does not exist !!! setup sl %1 ne obstaja!!!
%1 is %2%3 !!! setup sl %1 je %2%3!!!
(account deletion in sql only) setup sl (brisanje uporabniških ra&#269;unov le v SQL)
(searching accounts and changing passwords) setup sl (iskanje raÄ<61>unov in spreminjanje gesel)
*** do not update your database via setup, as the update might be interrupted by the max_execution_time, which leaves your db in an unrecoverable state (your data is lost) !!! setup sl *** NE POSODABLJAJTE podatkovne baze preko namestitve. Lahko se zgodi, da bo posodabljanje prekinjeno zaradi predolgega izvajanja, kar poslediÄ<69>no lahko pomeni izgubo podatkov!!!
*** you have to do the changes manualy in your php.ini (usualy in /etc on linux) in order to get egw fully working !!! setup sl *** Da bo eGW deloval pravilno morate spremembe roÄ<6F>no popraviti v datoteki php.ini (ponavadi v /etc na linuxu)!!!
00 (disable) setup sl 00 (onemogoÄ<6F>i / priporoÄ<6F>eno)
13 (ntp) setup sl 13 (ntp)
80 (http) setup sl 80 (http)
<b>charset to use</b> (use utf-8 if you plan to use languages with different charsets): setup sl uporaba <b>nabora znakov</b>(uporabite UTF-8, Ä<>e naÄ<61>rtujete uporabo jezikov z neASCII kodnimi tabelami):
<b>this will create 1 admin account and 3 demo accounts</b><br />the username/passwords are: demo/guest, demo2/guest and demo3/guest. setup sl <b>Kreiran bo en administratorski in trije demo raÄ<61>uni</b><br />UporabniÅ¡ka imena in gesla bodo: demo/guest, demo2/guest in demo3/guest.
accounts existing setup sl RaÄ<61>un obstaja
actions setup sl Akcije
add a domain setup sl Dodaj domeno
add auto-created users to this group ('default' will be attempted if this is empty.) setup sl Samodejno kreirani uporabniki se dodajo v to skupino (ÄŒe pustite prazno, bo uporabljena skupina 'Privzeto')
additional settings setup sl Dodatne nastavitve
admin first name setup sl Ime upravljalca
admin last name setup sl Priimek upravljalca
admin password setup sl Geslo upravljalca
admin password to header manager setup sl Geslo za upravljanje konfiguracijske datoteke (header.inc.php)
admin user for header manager setup sl Upravljalec - uporabnik za konfiguracijske datoteke
admin username setup sl Uporabniško ime upravljalca
admins setup sl Upravljalci
after backing up your tables first. setup sl Takoj ko bodo arhivirane tabele.
after retrieving the file, put it into place as the header.inc.php. then, click "continue". setup sl Po prenosu datoteke jo shranite v isti direktorij, kjer je header.inc.php. Potem kliknite "Nadaljevanje".
all applications setup sl vse aplikacije
all core tables and the admin and preferences applications setup sl vse osnovne tabele in aplikaciji admin ter nastavitve
all languages (incl. not listed ones) setup sl vsi jeziki (vkljuÄ<75>no s temi, ki jih ni na seznamu)
all users setup sl Vsi uporabniki
analysis setup sl Analiza
and reload your webserver, so the above changes take effect !!! setup sl IN ponovno zaženite spletni strežnik, da bodo spremembe uveljavljene!!!
app details setup sl Podrobnosti aplikacije
app install/remove/upgrade setup sl Namesti/odstrani/posodobi aplikacijo
app process setup sl Proces aplikacije
application data setup sl Podatki aplikacije
application list setup sl Seznam aplikacij
application management setup sl Upravljanje aplikacije
application name and status setup sl Ime in status aplikacije
application name and status information setup sl Podatki o statusu in imenu aplikacije
application title setup sl Naziv aplikacije
application: %1, file: %2, line: "%3" setup sl Aplikacija: %1, Datoteka: %2, Vrstica: "%3"
are you sure you want to delete your existing tables and data? setup sl Ste prepriÄ<69>ani, da želite izbrisati vse obstojeÄ<65>e tabele in podatke?
are you sure? setup sl STE PREPRIÄŒANI?
at your request, this script is going to attempt to create the database and assign the db user rights to it setup sl Na vaÅ¡o zahtevo bo skripta poizkusila ustvariti podatkovno bazo in ji doloÄ<6F>iti pravice dostopa.
at your request, this script is going to attempt to install a previous backup setup sl Na vašo zahtevo bo skripta poizkusila povrniti arhiv
at your request, this script is going to attempt to install the core tables and the admin and preferences applications for you setup sl Na vašo zahtevo bo skripta poizkusila namestiti osnovne tabele in aplikaciji Admin ter Nastavitve.
at your request, this script is going to attempt to upgrade your old applications to the current versions setup sl Na vaÅ¡o zahtevo bo skripta poizkusila posodobiti vaÅ¡e aplikacije z najnovejÅ¡imi razliÄ<69>icami.
at your request, this script is going to attempt to upgrade your old tables to the new format setup sl Na vašo zahtevo bo skripta poizkusila nadgraditi vaše podatkovne tabele v nov format.
at your request, this script is going to take the evil action of deleting your existing tables and re-creating them in the new format setup sl Na vaÅ¡o željo bo skripta poizkusila izvesti nevarno operacijo brisanja vseh vaÅ¡ih obstojeÄ<65>ih tabel in podatkov in jih ponovno ustvarila v novem formatu.
at your request, this script is going to take the evil action of uninstalling all your apps, which deletes your existing tables and data setup sl Na vaÅ¡o željo bo skripta poizkusila izvesti nevarno operacijo odstranitve vseh obstojeÄ<65>ih aplikacij, kar ima za posledico tudi brisanje vseh vaÅ¡ih podatkov.
attempt to use correct mimetype for ftp instead of default 'application/octet-stream' setup sl Poizkusi uporabiti pravilen MIME tip za FTP, namesto privzetega 'application/octet-stream'
authentication / accounts setup sl Avtentikacija / UporabniÅ¡ki raÄ<61>uni
auto create account records for authenticated users setup sl AvtomatiÄ<69>no ustvari zapise za avtorizirane uporabnike.
auto-created user accounts expire setup sl AvtomatiÄ<69>no ustvarjeni uporabniÅ¡ki raÄ<61>uni preteÄ<65>ejo
available version setup sl Razpoložljiva razliÄ<69>ica
back to the previous screen setup sl Nazaj na prejšnji zaslon
back to user login setup sl Nazaj na uporabniško prijavo
back's up your db now, this might take a few minutes setup sl arhiviram podatkovno bazo, kar lahko traja nekaj minut
backup '%1' deleted setup sl arhiv '%1' zbrisan
backup '%1' renamed to '%2' setup sl arhiv '%1' preimenovan v '%2'
backup '%1' restored setup sl arhiv '%1' obnovljen
backup and restore setup sl arhiviranje in obnavljanje
backup failed setup sl Arhiviranje je spodletelo
backup finished setup sl arhiviranje dokonÄ<6E>ano
backup now setup sl arhiviraj takoj
backup sets setup sl arhivski nizi
backup started, this might take a few minutes ... setup sl zaganjam arhiviranje, ki lahko traja nekaj minut ...
backupwarn setup sl toda, <u>zelo priporoÄ<6F>amo izdelavo rezervne kopije</u> vaÅ¡ih podatkov, Ä<>e skripta le te poÅ¡koduje. <br /><strong>Samodejne skripte lahko zaradi nepredvidenih okoliÅ¡Ä<C2A1>in uniÄ<69>ijo vaÅ¡e podatke.</strong> <br /><em>Preden nadaljujete, izdelajte rezervno kopijo podatkov!</em>
because an application it depends upon was upgraded setup sl ker je bila aplikacija, od katere je odvisen, nadgrajena
because it depends upon setup sl ker je odvisen od
because it is not a user application, or access is controlled via acl setup sl ker ni uporabniška aplikacija, ali pa je dostop nadzorovan skozi ACL
because it requires manual table installation, <br />or the table definition was incorrect setup sl ker zahteva roÄ<6F>no namestitev tabel, <br />ali pa so bile definicije tabel neveljavne
because it was manually disabled setup sl ker je bila roÄ<6F>no onemogoÄ<6F>ena
because of a failed upgrade or install setup sl zaradi neuspešne nadgradnje ali namestitve
because of a failed upgrade, or the database is newer than the installed version of this app setup sl zaradi neuspeÅ¡ne nadgradnje, ali pa je podatkovna baza novejÅ¡a od nameÅ¡Ä<C2A1>ene razliÄ<69>ice aplikacije
because the enable flag for this app is set to 0, or is undefined setup sl ker je oznaÄ<61>ba za vklop aplikacije nastavljena na 0, ali pa je nedefinirana
bottom setup sl dno
but we <u>highly recommend backing up</u> your tables in case the script causes damage to your data.<br /><strong>these automated scripts can easily destroy your data.</strong> setup sl ampak <u>moÄ<6F>no priporoÄ<6F>am izdelavo rezervne kopije</u> vseh tabel v primeru, da skripta poÅ¡koduje podatke.<br /><strong>Samodejne skripte lahko celo uniÄ<69>ijo podatke</strong>.
cancel setup sl Prekini
cannot create the header.inc.php due to file permission restrictions.<br /> instead you can %1 the file. setup sl Zaradi nastavitev pravic dostopa do datotek ne morem ustvariti datoteke header.inc.php.<br /> Namesto tega jo lahko %1.
change system-charset setup sl Spremeni sistemski nabor znakov
charset setup sl utf-8
charset to convert to setup sl Nabor za pretvorbo
check can only be performed, if called via a webserver, as the user-id/-name of the webserver is not known. setup sl Preverjanje je mogoÄ<6F>e le, Ä<>e se izvede v spletnem brskalniku. UporabniÅ¡ki ID/ime spletnega strežnika ni znan.
check installation setup sl Preveri namestitev
check ip address of all sessions setup sl Preveri IP naslov vseh sej
checking extension %1 is loaded or loadable setup sl Preverjam Ä<>e je dodatek %1 naložen in Ä<>e ga je mogoÄ<6F>e naložiti
checking file-permissions of %1 for %2: %3 setup sl Preverjam pravice datotek uporabnika %1 za %2: %3
checking for gd support... setup sl Preverjam GD podporo
checking php.ini setup sl Preverjam php.ini
checking the egroupware installation setup sl Preverjam eGroupWare namestitev
click <a href="index.php">here</a> to return to setup. setup sl Kliknite <a href="index.php">tukaj</a> za vrnitev v namestitev.
click <a href="index.php?sessionid=f69c6befb6636a1a9501e45ff0176385">here</a> to return to setup. setup sl Klikni <a href="index.php?sessionid=f69c6befb6636a1a9501e45ff0176385">here</a> za vrnitev v namestitev.
click here setup sl Kliknite tukaj
click here to re-run the installation tests setup sl Kliknite tukaj za ponovno preverjanje namestitve
completed setup sl DokonÄ<6E>ano
config password setup sl Konfiguracijsko geslo
config username setup sl Konfiguracijsko uporabniško ime
configuration setup sl Konfiguriranje
configuration completed setup sl Konfiguriranje dokonÄ<6E>ano
configuration password setup sl Geslo za konfiguriranje
configuration user setup sl Uporabnik konfiguracije
configure now setup sl Konfiguriraj sedaj
confirm to delete this backup? setup sl Potrdite brisanje tega arhiva
contain setup sl vsebuje
continue setup sl Nadaljuj
continue to the header admin setup sl Nadaljuj na nastavitve glave
convert setup sl Pretvori
could not open header.inc.php for writing! setup sl Ne morem odpreti header.inc.php za pisanje!
country selection setup sl Izbor države
create setup sl Kreiraj
create a backup before upgrading the db setup sl arhiviraj podatke pred posodobitvijo podatkovne baze
create admin account setup sl Kreiraj upravljalski raÄ<61>un
create database setup sl Kreiraj podatkovno bazo
create demo accounts setup sl Kreiraj demo uporabniÅ¡ke raÄ<61>une.
create one now setup sl Kreiraj enega sedaj
create the empty database - setup sl Kreiraj prazno podatkovno bazo -
create the empty database and grant user permissions - setup sl Kreiraj prazno podatkovno bazo in dodeli pravice dostopa
create your header.inc.php setup sl Kreiraj datoteko header.inc.php
created setup sl kreiran
created header.inc.php! setup sl Kreirana datoteka header.inc.php
creating tables setup sl Kreiram tabele
current system-charset setup sl Trenutni sistemski nabor znakov
current system-charset is %1, click %2here%3 to change it. setup sl Trenutni sistemski nabor znakov je %1. Kliknite %2tukaj%3, da ga spremenite.
current version setup sl Trenutna razliÄ<69>ica
currently installed languages: %1 <br /> setup sl Trenutno nameÅ¡Ä<C2A1>eni jeziki: %1<br />
database successfully converted from '%1' to '%2' setup sl Podatkovna baza je bila uspešno prevedena iz '%1' v '%2'.
datetime port.<br />if using port 13, please set firewall rules appropriately before submitting this page.<br />(port: 13 / host: 129.6.15.28) setup sl Vrata za datum.<br />Če uporabljate vrata 13, prosim, da ustrezno prilagodite pravila požarnega zidu, preden potrdite podatke na tej strani. <br />(Vrata: 13 / Strežnik: 129.6.15.28)
day setup sl dan
day of week<br />(0-6, 0=sunday) setup sl dan v tednu<br />(0-6, 0=nedelja)
db backup and restore setup sl Arhiviranje in obnavljanje podatkovne baze
db host setup sl Podatkovni strežnik
db name setup sl Ime podatkovne baze
db password setup sl Geslo podatkovne baze
db port setup sl Vrata podatkovnega strežnika
db root password setup sl Korensko geslo podatkovne baze
db root username setup sl Korensko uporabniško ime podatkovne baze
db type setup sl Tip podatkovne baze
db user setup sl Uporabniško ime podatkovne baze
default file system space per user/group ? setup sl Privzeta koliÄ<69>ina prostora za uporabnika/skupino?
delete setup sl Izbriši
delete all existing sql accounts, groups, acls and preferences (normally not necessary)? setup sl IzbriÅ¡em vse obstojeÄ<65>e SQL raÄ<61>une, skupine, ACL pravice in nastavitve (obiÄ<69>ajno ni potrebno)?
delete all my tables and data setup sl Izbriši vse moje tabele in podatke
delete all old languages and install new ones setup sl Izbriši vse stare jezike in namesti nove
deleting tables setup sl Brisanje tabel
demo server setup setup sl Namestitev demo strežnika
deny access setup sl prepreÄ<65>i dostop
deny all users access to grant other users access to their entries ? setup sl OnemogoÄ<6F>i vsem uporabnikom možnost upravljanja pravic dostopa do njihovih zapisov?
dependency failure setup sl Napaka odvisnosti
deregistered setup sl odregistriran
details for admin account setup sl Podrobnosti upravljalÄ<6C>evega raÄ<61>una
developers' table schema toy setup sl RazvijalÄ<6C>eva shema tabel
did not find any valid db support! setup sl Ne najdem delujoÄ<6F>e podpore za podatkovno bazo.
do you want persistent connections (higher performance, but consumes more resources) setup sl Ali želite trajne povezave (veÄ<65>ja uÄ<75>inkovitost, vendar veÄ<65>ja poraba sistemskih sredstev)?
do you want to manage homedirectory and loginshell attributes? setup sl Ali želite upravljati domaÄ<61>i direktorij in lastnosti prijavne lupine
does not exist setup sl ne obstaja
domain setup sl Domena
domain name setup sl Ime domene
domain select box on login setup sl Izbor domene ob prijavi
dont touch my data setup sl Ne spreminjaj mojih podatkov
download setup sl Prenesi
edit current configuration setup sl Upravljaj trenutno konfiguracijo
edit your existing header.inc.php setup sl Uredi obstojeÄ<65>o datoteko header.inc.php
edit your header.inc.php setup sl Uredi datoteko header.inc.php
egroupware administration manual setup sl eGroupware upravljalski priroÄ<6F>nik
enable for extra debug-messages setup sl VkljuÄ<75>i za izpis dodatnih razhroÅ¡Ä<C2A1>evalnih sporoÄ<6F>il
enable ldap version 3 setup sl OmogoÄ<6F>i LDAP razliÄ<69>ico 3
enable mcrypt setup sl OmogoÄ<6F>i mcrypt
enter some random text for app session encryption setup sl Vnesite nekaj nakljuÄ<75>nega besedila za kriptiranje aplikacijskih sej
enter some random text for app_session <br />encryption (requires mcrypt) setup sl Vnesite nekaj nakljuÄ<75>nega besedila za <br />kriptiranje aplikacijskih sej (zahteva Mcrypt).
enter the full path for temporary files.<br />examples: /tmp, c:\temp setup sl Vnesite polno pot do zaÄ<61>asnih datotek.<br />Na primer: /tmp, c:\temp
enter the full path for users and group files.<br />examples: /files, e:\files setup sl Vnesite polno pot do uporabniških datotek.<br />Na primer: /files, c:\files
enter the full path to the backup directory.<br />if empty: files directory setup sl Vpišite pot do arhivske mape.<br />Če je prazno bo uporabljena splošna pot za datoteke
enter the hostname of the machine on which this server is running setup sl Vnesite ime strežnika, na katerem teÄ<65>e projekt
enter the location of egroupware's url.<br />example: http://www.domain.com/egroupware &nbsp; or &nbsp; /egroupware<br /><b>no trailing slash</b> setup sl Vnesite eGroupWareov URL na vaÅ¡em raÄ<61>unalniku.<br />Na primer: http://www.podjetje.si/egroupware ali /egroupware<br /><b>Naslov naj bo brez zakljuÄ<75>ne poÅ¡evnice</b>
enter the site password for peer servers setup sl Vnesite geslo za vzporedne strežnike.
enter the site username for peer servers setup sl Vnesite uporabniško ime za vzporedne strežnike
enter the title for your site setup sl Vnesite naziv vašega spletnega mesta
enter your default ftp server setup sl Vnesite privzeti FTP strežnik
enter your http proxy server setup sl Vnesite HTTP proxy strežnik
enter your http proxy server password setup sl Vnesite geslo HTTP proxy strežnika
enter your http proxy server port setup sl Vnesite vrata HTTP proxy strežnika
enter your http proxy server username setup sl Vnesite uporabniško ime HTTP proxy strežnika
error in admin-creation !!! setup sl Napaka pri kreiranju upravljalca!!!
error in group-creation !!! setup sl Napaka pri kreiranju skupine!!!
export egroupware accounts from sql to ldap setup sl Izvozi eGroupWare raÄ<61>une iz SQL v LDAP
export has been completed! you will need to set the user passwords manually. setup sl Izvoz je konÄ<6E>an. RoÄ<6F>no morate Å¡e nastaviti uporabniÅ¡ke nastavitve.
export sql users to ldap setup sl Izvozi SQL uporabniÅ¡ke raÄ<61>une v LDAP
false setup sl Ne
file setup sl DATOTEKA
file type, size, version, etc. setup sl tip datoteke, velikost, razliÄ<69>ica itd.
filename setup sl ime datoteke
for a new install, select import. to convert existing sql accounts to ldap, select export setup sl Za novo namestitev, izberite uvoz. Za pretvorbo obstojeÄ<65>ega SQL raÄ<61>una v LDAP, izberite izvoz.
force selectbox setup sl Vsili izbirna polja
found existing configuration file. loading settings from the file... setup sl NaÅ¡el sem obstojeÄ<65>o konfiguracijsko datoteko. Nalagam nastavitve iz te datoteke...
go back setup sl Pojdi nazaj
go to setup sl Pojdi na
grant access setup sl Dovoli dostop
has a version mismatch setup sl ima neskladje med razliÄ<69>icami
header admin login setup sl Prijava upravljalca glave
header password setup sl Geslo upravljalca glave
header username setup sl Uporabniško ime glave
historylog removed setup sl Odstranjen dnevnik
hooks deregistered setup sl kljuke odregistrirane
hooks registered setup sl kljuke registrirane
host information setup sl Podatki o strežniku
host/ip domain controler setup sl Strežnik/IP domenski nadzornik
hostname/ip of database server setup sl Ime/IP podatkovnega strežnika
hour (0-24) setup sl ura (0-24)
however, the application is otherwise installed setup sl Vendar je aplikacija nameÅ¡Ä<C2A1>ena
however, the application may still work setup sl Vendar aplikacija Å¡e vedno deluje
if no acl records for user or any group the user is a member of setup sl ÄŒe ni ACL zapisov za uporabnika ali katerokoli skupino, katere Ä<>lan je
if safe_mode is turned on, egw is not able to change certain settings on runtime, nor can we load any not yet loaded module. setup sl ÄŒe je vkljuÄ<75>en naÄ<61>in "safe_mode", eGW med delovanjem ne more spremeniti nekaterih nastavitev niti ne more naložiti novih modulov.
if the application has no defined tables, selecting upgrade should remedy the problem setup sl Če aplikacija nima definiranih tabel, potem bi nadgrajevanje moralo rešiti težave.
if using ads (active directory) authentication setup sl ÄŒe uporabljate ADS (Aktivni Direktorij ) overovljenje
if using ldap setup sl ÄŒe uporabljate LDAP
if using ldap, do you want to manage homedirectory and loginshell attributes? setup sl ÄŒe uporabljate LDAP, ali želite upravljati domaÄ<61>i direktorij in lastnosti prijavne lupine?
if you did not receive any errors, your applications have been setup sl Če ni prikazana nobena napaka, so bile vaše aplikacije
if you did not receive any errors, your tables have been setup sl Če ni prikazana nobena napaka, so bile vaše tabele
if you running this the first time, don't forget to manualy %1 !!! setup sl ÄŒe to izvajate prviÄ<69>, ne pozabite roÄ<6F>no %1!
if you use only languages of the same charset (eg. western european ones) you dont need to set a system-charset! setup sl ÄŒe uporabljate samo jezike enake kodne tabele (npr. vzhodnoevropske), vam ni potrebno spreminjati sistemskega nabora znakov!
image type selection order setup sl Zaporedje izbire tipa slik
import accounts from ldap to the egroupware accounts table (for a new install using sql accounts) setup sl Uvozi raÄ<61>une iz LDAP v eGroupWare (za novo namestitev, ki uporablja SQL raÄ<61>une).
import has been completed! setup sl Uvoz je konÄ<6E>an!
import ldap users/groups setup sl Uvoz LDAP uporabnikov/skupin
importing old settings into the new format.... setup sl Uvažanje starih nastavitev v nov format....
include root (this should be the same as server root unless you know what you are doing) setup sl VkljuÄ<75>i Root (mora biti enako kot strežnikov Root, razen Ä<>e veste kaj delate)
include_path need to contain "." - the current directory setup sl pot "include_path" mora vsebovati "." - trenutni direktorij
install setup sl Namesti
install all setup sl Namesti vse
install applications setup sl Namesti aplikacije
install backup setup sl namesti arhiviranje
install language setup sl Namesti jezik
installed setup sl nameÅ¡Ä<C2A1>en
instructions for creating the database in %1: setup sl Navodila za izdelavo podatkovne baze v %1:
invalid ip address setup sl NapaÄ<61>en IP naslov
invalid password setup sl NapaÄ<61>no geslo
is broken setup sl je pretrgan
is disabled setup sl je onemogoÄ<6F>en
is in the webservers docroot setup sl je v "docroot" mapi spletnega strežnika
is not writeable by the webserver setup sl ni zapisljiv s strani spletnega strežnika
ldap account import/export setup sl Uvoz/izvoz LDAP raÄ<61>unov
ldap accounts configuration setup sl Konfiguriranje LDAP raÄ<61>unov
ldap accounts context setup sl Kontekst LDAP raÄ<61>unov
ldap config setup sl Konfiguriranje LDAP
ldap default homedirectory prefix (e.g. /home for /home/username) setup sl Privzeta predpona za LDAP domaÄ<61>e direktorije (npr. /home za /home/uporabnik)
ldap default shell (e.g. /bin/bash) setup sl LDAP privzeta lupina (npr. /bin/bash)
ldap encryption type setup sl Tip LDAP enkripcije
ldap export setup sl LDAP izvoz
ldap export users setup sl Izvoz LDAP uporabnikov
ldap groups context setup sl Kontekst LDAP skupin
ldap host setup sl LDAP strežnik
ldap import setup sl LDAP uvoz
ldap import users setup sl Uvoz LDAP uporabnikov
ldap modify setup sl LDAP spreminjanje
ldap root password setup sl LDAP root geslo
ldap rootdn setup sl LDAP rootdn
ldap search filter for accounts, default: "(uid=%user)", %domain=egw-domain setup sl Iskalni filter LDAP raÄ<61>unov, privzet: ("uid=%user"), %domain=eGW-domain
limit access to setup to the following addresses or networks (e.g. 10.1.1,127.0.0.1) setup sl Omeji dostop do nastavitev na naslednje naslove ali omrežja (npr. 10.1.1, 127.0.0.1)
limit access to setup to the following addresses, networks or hostnames (e.g. 127.0.0.1,10.1.1,myhost.dnydns.org) setup sl Omejitev dostopa do nastavitev z naslovov, omrežij ali gostiteljev (npr. 127.0.0.1,10.1.1,myhost.dnydns.org)
login to mysql - setup sl Prijava v mysql -
logout setup sl Odjava
make sure that your database is created and the account permissions are set setup sl PrepriÄ<69>ajte se da je podatkovna baza ustvarjena in da so pravice dostopa pravilno urejene.
manage applications setup sl Upravljanje aplikacij
manage languages setup sl Upravljanje jezikov
max_execution_time is set to less than 30 (seconds): egroupware sometimes needs a higher execution_time, expect occasional failures setup sl NajdaljÅ¡i Ä<>as izvajanja (max_execution_time) je nastavljen na manj kot 30 sekund: eGW obÄ<62>asno potrebuje daljÅ¡i Ä<>as izvajanja zato lahko priÄ<69>ajujete obÄ<62>asne napake
maximum account id (e.g. 65535 or 1000000) setup sl NajviÅ¡ji ID uporabniÅ¡kega raÄ<61>una (npr. 65535 ali 1000000)
may be broken setup sl morda je prekinjen
mcrypt algorithm (default tripledes) setup sl Mcrypt algoritem (privzeto TIRPLEDES)
mcrypt initialization vector setup sl Mcrypt zaÄ<61>etni vektor
mcrypt mode (default cbc) setup sl Mcrypt naÄ<61>in (privzeto CBC)
mcrypt settings (requires mcrypt php extension) setup sl Mcrypt nastavitve (zahteva mcrypt razširitev PHPja)
mcrypt version setup sl RazliÄ<69>ica mcrypt
memory_limit is set to less than 16m: some applications of egroupware need more than the recommend 8m, expect occasional failures setup sl Omejitev spomina (memory_limit) je nastavljena na manj kot 16 Mb: nekatere aplikacije v eGW potrebujejo veÄ<65> kot priporoÄ<6F>ljivih 8 Mb zato se lahko pojavijo obÄ<62>asne napake
minimum account id (e.g. 500 or 100, etc.) setup sl Najnižji ID raÄ<61>una (npr. 500 ali 100)
minute setup sl minuta
modifications have been completed! setup sl Spremembe so konÄ<6E>ane.
modify setup sl Spremeni
modify an existing ldap account store for use with egroupware (for a new install using ldap accounts) setup sl Prilagodi obstojeÄ<65>o LDAP zbirko raÄ<61>unov za uporabo z eGroupWare (za novo namestitev, ki uporablja LDAP raÄ<61>une)
month setup sl mesec
multi-language support setup setup sl Namestitev veÄ<65>jeziÄ<69>ne podpore
name of database setup sl Ime podatkovne baze
name of db user egroupware uses to connect setup sl Uporabniško ime za dostop do podatkovne baze
never setup sl nikoli
new setup sl Novo
next run setup sl naslednji zagon
no setup sl Ne
no accounts existing setup sl Noben raÄ<61>un ne obstaja
no algorithms available setup sl ni razpoložljivih algoritmov
no microsoft sql server support found. disabling setup sl Ne najdem podpore za MS SQL strežnik. OnemogoÄ<6F>am.
no modes available setup sl ni razpoložljivih naÄ<61>inov
no mysql support found. disabling setup sl Ni podpore za MySQL. OnemogoÄ<6F>am.
no odbc support found. disabling setup sl Ni podpore za ODBC. OnemogoÄ<6F>am.
no oracle-db support found. disabling setup sl Ni podpore za Oracle podatkovni strežnik. OnemogoÄ<6F>am.
no postgres-db support found. disabling setup sl Ni podpore za PostgreSQL podatkovni strežnik. Onemogo&#269;am.
no postgresql support found. disabling setup sl Ni podpore za PostgreSQL podatkovni strežnik. OnemogoÄ<6F>am.
no xml support found. disabling setup sl Ni podpore za XML. OnemogoÄ<6F>am.
not setup sl ne
not all mcrypt algorithms and modes work with egroupware. if you experience problems try switching it off. setup sl Vsi mcrypt algoritmi in naÄ<61>ini ne delujejo v eGW. ÄŒe se pojavijo težave, jih izklopite.
not complete setup sl ni dokonÄ<6E>ano
not completed setup sl Ni dokonÄ<6E>ano
not ready for this stage yet setup sl Sistem Å¡e ni pripravljen za ta korak.
not set setup sl ni nastavljeno
note: you will be able to customize this later setup sl Obvestilo: to boste lahko prilagajali tudi kasneje.
now guessing better values for defaults... setup sl Ugibam boljše vrednosti za privzete nastavitve.
ok setup sl V redu
once the database is setup correctly setup sl Ko je podatkovna baza pravilno nameÅ¡Ä<C2A1>ena
one month setup sl Ä<>ez en mesec
one week setup sl Ä<>ez en teden
only add languages that are not in the database already setup sl Le dodaj jezike, ki jih Å¡e ni v podatkovni bazi.
only add new phrases setup sl Le dodaj nove fraze
or setup sl ali
or %1continue to the header admin%2 setup sl ali %1nadaljuj v nastavitve glave%2
or http://webdav.domain.com (webdav) setup sl ali http://webdav.domain.com (WebDAV)
or we can attempt to create the database for you: setup sl Ali pa lahko poizkusim ustvariti podatkovno bazo za vas:
or you can install a previous backup. setup sl Lahko pa povrnete prejšnji arhiv.
password needed for configuration setup sl Geslo, potrebno za konfiguriranje
password of db user setup sl Geslo za dostop do baze
passwords did not match, please re-enter setup sl Gesli se ne ujemata, prosim, ponovite
path information setup sl Podatki o poti
path to user and group files has to be outside of the webservers document-root!!! setup sl Pot do uporabnikovih in skupinskih datotek <b>mora biti zunaj</b> strežnikovega spletnega podroÄ<6F>ja!
persistent connections setup sl Trajne povezave
please check for sql scripts within the application's directory setup sl Prosim, preverite za SQL skripte znotraj direktorijev aplikacij
please check read/write permissions on directories, or back up and use another option. setup sl Prosim, preverite pravice dostopa do direktorijev, ali pa se vrnite in uporabite drugo možnost.
please configure egroupware for your environment setup sl Prosim, prilagodite eGroupware za vaše okolje.
please consult the %1. setup sl Prosim, posvetujte se z %1.
please fix the above errors (%1) and warnings(%2) setup sl Prosim, popravite zgornje napake (%1) in opozorila (%2)
please install setup sl Prosim, namestite
please login setup sl Prosim, prijavite se
please login to egroupware and run the admin application for additional site configuration setup sl Prosim, da se prijavite v eGW in poženite aplikacijo Admin za dodatne nastavitve strežnika
please make the following change in your php.ini setup sl Prosim, da v php.ini popravite nasednje
please wait... setup sl Prosim, poÄ<6F>akajte...
possible reasons setup sl Možni razlogi
possible solutions setup sl Možne rešitve
post-install dependency failure setup sl Napaka odvisnosti po namestitvi
potential problem setup sl MogoÄ<6F> problem
preferences setup sl Nastavitve
problem resolution setup sl Rešitev težave
process setup sl Proces
re-check my database setup sl Ponovno preveri podatkovno bazo
re-check my installation setup sl Ponovno preveri namestitev
re-enter password setup sl Ponovite vnos gesla
read translations from setup sl Preberi prevode iz
readable by the webserver setup sl ima omogoÄ<6F>eno branje spletnega strežnika
really uninstall all applications setup sl RES odstranim vse aplikacije
recommended: filesystem setup sl PriporoÄ<6F>eno: datoteÄ<65>ni sistem
register_globals is turned on, egroupware does not require it and it's generaly more secure to have it turned off setup sl Vrednost "register_globals" je nastavljena na "On", eGW NE zahteva spremembe vendar je na sploÅ¡no bolj varno, Ä<>e je nastavljena na "Off"
registered setup sl registriran
rejected lines setup sl Zavržene vrstice
remove setup sl Odstrani
remove all setup sl Odstrani vse
rename setup sl preimenuj
requires reinstall or manual repair setup sl Potrebuje namestitev ali roÄ<6F>no popravljanje
requires upgrade setup sl Potrebuje posodobitev
resolve setup sl Razreši
restore setup sl obnovi
restore failed setup sl Obnovitev je splodletela
restore finished setup sl obnovitev konÄ<6E>ana
restore started, this might take a few minutes ... setup sl obnovitev se je zaÄ<61>ela kar lahko traja nekaj minut
restoring a backup will delete/replace all content in your database. are you sure? setup sl Obnova rezervne kopije bo zbrisala/zamenjala vso vsebino podatkovne baze. Ste prepriÄ<69>ani?
return to setup setup sl Vrnitev v namestitev
run installation tests setup sl Poženi namestitvene teste
safe_mode is turned on, which is generaly a good thing as it makes your install more secure. setup sl Vrednost "safe_mode" je nastavljena na "On", kar na splošno pomeni bolj varno namestitev.
sample configuration not found. using built in defaults setup sl Ne najdem predloge za konfiguracijo. Uporabljam privzete vrednosti.
save setup sl Shrani
save this text as contents of your header.inc.php setup sl Shrani besedilo kot vsebino vaše header.inc.php datoteke
schedule setup sl urnik
scheduled backups setup sl urnik arhiviranja
select an app, enter a target version, then submit to process to that version.<br />if you do not enter a version, only the baseline tables will be installed for the app.<br /><blink>this will drop all of the apps' tables first!</blink> setup sl OznaÄ<61>ite aplikacijo, vnesite ciljno razliÄ<69>ico, in poÅ¡ljite procesu to razliÄ<69>ico.<br />ÄŒe ne boste vnesli razliÄ<69>ice, se bodo za aplikacijo namestile le osnovne tabele. <br /><blink>POSTOPEK BO NAJPREJ IZBRISAL VSE TABELE APLIKACIJE!</blink>
select one... setup sl izberite enega...
select the default applications to which your users will have access setup sl Izberite privzete aplikacije, do katerih bodo imeli dostop vaši uporabniki.
select the desired action(s) from the available choices setup sl S seznama izberite želene akcije
select to download file setup sl Izberite za prenos datoteke
select where you want to store/retrieve file contents setup sl Izberite, kam želite shraniti/prenesti vsebino datoteke
select where you want to store/retrieve filesystem information setup sl Izberite, kam želite shraniti/prenesti podatke o datoteÄ<65>nem sistemu
select where you want to store/retrieve user accounts setup sl Izberite, kam želite shraniti/prenesti uporabniÅ¡ke raÄ<61>une
select which group(s) will be exported (group membership will be maintained) setup sl Izberite, katere skupine želite izvoziti (Ä<>lanstvo v skupinah bo ohranjeno)
select which group(s) will be imported (group membership will be maintained) setup sl Izberite, katere skupine želite uvoziti (Ä<>lanstvo v skupinah bo ohranjeno)
select which group(s) will be modified (group membership will be maintained) setup sl Izberite, katere skupine boste spremenili (Ä<>lanstvo v skupinah bo ohranjeno)
select which languages you would like to use setup sl Izberite jezike, ki jih želite uporabljati:
select which method of upgrade you would like to do setup sl Izberite metodo nadgrajevanja:
select which type of authentication you are using setup sl Izberite metodo avtentikacije boste uporabljali
select which user(s) will also have admin privileges setup sl Izberite uporabnike, ki bodo imeli Å¡e upravljalske pravice
select which user(s) will be exported setup sl Izberite, kateri uporabniÅ¡ki raÄ<61>uni bodo izvoženi
select which user(s) will be imported setup sl Izberite, kateri uporabniÅ¡ki raÄ<61>uni bodo uvoženi
select which user(s) will be modified setup sl Izberite, kateri uporabniÅ¡ki raÄ<61>uni bodo spremenjeni
select which user(s) will have admin privileges setup sl Izberite, kateri uporabniki bodo imeli upravljalske pravice
select your old version setup sl Izberite staro razliÄ<69>ico
selectbox setup sl Izbirni seznam
server root setup sl Strežniški Root
sessions type setup sl Tip sej
set setup sl nastavi
set this to "old" for versions &lt; 2.4, otherwise the exact mcrypt version you use. setup sl OznaÄ<61>ite "staro" za razliÄ<69>ice < 2.4, oz. natanÄ<6E>no razliÄ<69>ico mcrypt-a.
setting the system-charset to utf-8 (unicode) allows the coexistens of data from languages of different charsets. setup sl Nastavitev sistemskega nabora znakov v UTF-8 (Unocode) omogoÄ<6F>e hkratno uporabo razliÄ<69>nih jezikov in kodnih tabel.
settings setup sl Nastavitve
setup setup sl Namestitev
setup demo accounts in ldap setup sl Namesti demo uporabniÅ¡ke raÄ<61>une v LDAP
setup main menu setup sl Namesti glavni meni
setup the database setup sl Namesti podatkovno bazo
setup/config admin login setup sl Namesti/Konfiguriraj prijavo upravljalca
show 'powered by' logo on setup sl Pokaži "teÄ<65>e na" logotip na
size setup sl velikost
some or all of its tables are missing setup sl Manjka nekaj ali vse njene tabele
sql encryption type setup sl Enkripcija za SQL geslo (privzeta je MD5)
start the postmaster setup sl Poženi "postmasterja"
status setup sl Status
step %1 - admin account setup sl Korak %1 - upravljalski raÄ<61>un
step %1 - advanced application management setup sl Korak %1 - zahtevno upravljanje aplikacij
step %1 - configuration setup sl Korak %1 - konfiguracija
step %1 - db backup and restore setup sl Korak %1 - arhiviranje in obnavljanje podatkovne baze
step %1 - language management setup sl Korak %1 - upravljanje z jeziki
step %1 - simple application management setup sl Korak %1 - preprosto upravljanje aplikacij
succesfully uploaded file %1 setup sl uspešen prenos datoteke %1
table change messages setup sl Obvestila o spremembi tabel
tables dropped setup sl tabele odstranjene
tables installed, unless there are errors printed above setup sl tabele nameÅ¡Ä<C2A1>ene, razen Ä<>e so zgoraj izpisane napake
tables upgraded setup sl tabele nadgrajene
target version setup sl Ciljna razliÄ<69>ica
tcp port number of database server setup sl TCP vrata podatkovnega strežnika
text entry setup sl Besedilni vnos
the %1 extension is needed, if you plan to use a %2 database. setup sl Potrebujem dodatek: %1, Ä<>e želite uporabljati %2 podatkovno bazo.
the db_type in defaults (%1) is not supported on this server. using first supported type. setup sl Privzet tip podatkovne baze (%1) ni podprt na tem strežniku. Uporabljam prvi razpoložljivi tip.
the file setup sl datoteka
the first step in installing egroupware is to ensure your environment has the necessary settings to correctly run the application. setup sl Prvi korak pri nameÅ¡Ä<C2A1>anju eGroupWarea je prilagoditev okolja in obveznih nastavitev za delovanje aplikacij.
the following applications need to be upgraded: setup sl Naslednje aplikacije potrebujejo nadgradnjo:
the imap extension is needed by the two email apps (even if you use email with pop3 as protocoll). setup sl IMAP dodatek je potreben za obe E-poÅ¡tni aplikaciji (tudi Ä<>e jih uporabljate s POP3 protokolom)
the mbstring extension is needed to fully support unicode (utf-8) or other multibyte-charsets. setup sl "mbstring" dodatek je potreben za polno podporo UTF-8 (Unicode).
the mbstring.func_overload = 7 is needed to fully support unicode (utf-8) or other multibyte-charsets. setup sl Vrednost "mbstring.func_overload = 7" je potrebna za polno podporo UTF-8 (Unicode).
the table definition was correct, and the tables were installed setup sl Definicije tabel so pravilne in tabele so nameÅ¡Ä<C2A1>ene.
the tables setup sl tabele
there was a problem trying to connect to your ldap server. <br /> setup sl Napaka pri povezovanju z LDAP strežnikom.<br />
there was a problem trying to connect to your ldap server. <br />please check your ldap server configuration setup sl Napaka pri povezovanju z LDAP strežnikom.<br />Prosim, preverite nastavitve LDAP strežnika.
this has to be outside the webservers document-root!!! setup sl To mora biti izven strežnikovega spletnega podroÄ<6F>ja!
this might take a while, please wait ... setup sl To lahko traja nekaj Ä<>asa, prosim poÄ<6F>akajte ...
this program lets you backup your database, schedule a backup or restore it. setup sl Ta program vam omogoÄ<6F>a arhiviranje vaÅ¡e podatkovne baze, upravljanje urnikov arhiviranja ali pa restavriranje arhiva.
this program will convert your database to a new system-charset. setup sl Ta program bo prevedel podatkovno bazo na nov sistemski nabor znakov.
this program will help you upgrade or install different languages for egroupware setup sl Ta program vam bo pomagal pri posodabljanju ali namestitvi razliÄ<69>nih jezikov za eGroupWare.
this section will help you export users and groups from egroupware's account tables into your ldap tree setup sl V tem odseku boste izvozili uporabnike in skupine iz tabel podatkovne baze v vaše LDAP drevo.
this section will help you import users and groups from your ldap tree into egroupware's account tables setup sl Ta odsek vam bo pomagal prenesti uporabnike in skupine iz LDAP drevesa v tabele podatkovne baze.
this section will help you setup your ldap accounts for use with egroupware setup sl Ta odsek vam bo pomagal prenesti vaÅ¡e LDAP raÄ<61>une za uporabo v eGroupWare.
this should be around 30 bytes in length.<br />note: the default has been randomly generated. setup sl To naj bo dolgo približno 30 bajtov. <br /> Privzeto besedilo je bilo nakljuÄ<75>no generirano.
this stage is completed<br /> setup sl Korak je zakljuÄ<75>en. <br />
this will create 1 admin account and 3 demo accounts<br />the username/passwords are: demo/guest, demo2/guest and demo3/guest.<br /><b>!!!this will delete all existing accounts!!!</b><br /> setup sl Ukaz bo ustvaril en upravljalski ra&#269;un in tri demo ra&#269;une.<br />Uporabniška imena so demo/guest, demo2/guest in demo3/guest.<br /><b>Pozor: ukaz bo izbrisal vse obstoje&#269;e ra&#269;une!!!</b><br />
to a version it does not know about setup sl v razliÄ<69>ico, ki je ne pozna
to setup 1 admin account and 3 demo accounts. setup sl za kreiranj 1 upravljalskega in 3 demo raÄ<61>unov.
to setup 1 admin account and 3 demo accounts.<br /><b>this will delete all existing accounts</b> setup sl za izdelavo enega upravljalskega in treh demo uporabniških ra&#269;unov. <br /><b>To bo izbrisalo vse obstoje&#269;e ra&#269;une.</b>
top setup sl vrh
translations added setup sl prevodi dodani
translations removed setup sl prevodi odstranjeni
translations upgraded setup sl prevodi posodobljeni
true setup sl DA
try to configure your php to support one of the above mentioned dbms, or install egroupware by hand. setup sl Poizkusite konfigurirati vaÅ¡o php podporo na enega od zgoraj naÅ¡tetih DBMS, ali pa roÄ<6F>no namestite eGroupWare.
two weeks setup sl Ä<>ez dva tedna
uninstall setup sl odstrani
uninstall all applications setup sl Odstrani vse aplikacije
uninstalled setup sl Odstranjeno
upgrade setup sl Posodobi
upgrade all setup sl Posodobi vse
upgraded setup sl posodobljeno
upgrading tables setup sl Posodabljanje tabel
upload backup setup sl prenos arhiva
uploads a backup and installs it on your db setup sl prenese arhiv in ga namesti v podatkovno bazo
uploads a backup to the backup-dir, from where you can restore it setup sl prenese arhiv v arhivsko mapo, od koder ga lahko obnovite
use cookies to pass sessionid setup sl Uporabi piškotke za pošiljanje ID-ja sej
use pure html compliant code (not fully working yet) setup sl Uporabi popolnoma standardno HTML kodo (Å¡e ne deluje)
user account prefix setup sl Predpona uporabniÅ¡kega raÄ<61>una
usernames are casesensitive setup sl UporabniÅ¡ka imena so obÄ<62>utljiva na velike/male Ä<>rke
users choice setup sl Uporabnikov izbor
utf-8 (unicode) setup sl UTF-8 (Unicode)
version setup sl razliÄ<69>ica
version mismatch setup sl Navzkrižje razliÄ<69>ic
view setup sl Pregled
warning! setup sl Opozorilo!
we can proceed setup sl Lahko nadaljujem.
we will automatically update your tables/records to %1 setup sl VaÅ¡e tabele/zapise bom avtomatiÄ<69>no nadgradil na %1.
we will now run a series of tests, which may take a few minutes. click the link below to proceed. setup sl Sedaj bom pognal nekaj testov, ki lahko trajajo nekaj minut. Kliknite na povezavo za nadaljevanje.
welcome to the egroupware installation setup sl Dobrodošli v namestitvi eGroupWarea
what type of sessions management do you want to use (php4 session management may perform better)? setup sl KakÅ¡en naÄ<61>in upravljanja sej želite uporabljati? (PHP4 upravljanje sej je obiÄ<69>ajno boljÅ¡i.)
which database type do you want to use with egroupware? setup sl Kater tip podatkovne baze želite uporabljati za eGroupWare?
world readable setup sl berljivo za vse
world writable setup sl zapisljivo za vse
would you like egroupware to cache the phpgw info array ? setup sl Ali želite, da eGroupWare shrani phpgw_info polje v predpomnilnik?
would you like egroupware to check for a new version<br />when admins login ? setup sl Ali želite, da eGroupWare preveri za novo razliÄ<69>ico ob prijavi upravljalca?
would you like to show each application's upgrade status ? setup sl Ali želite pokazati stanje nadgradnje aplikacije?
writable by the webserver setup sl spletni strežnik lahko zapisuje
write config setup sl Zapiši konfiguracijo
year setup sl leto
yes setup sl Da
yes, with lowercase usernames setup sl Da, z malimi Ä<>rkami uporabniÅ¡ka imena
you appear to be running a pre-beta version of egroupware.<br />these versions are no longer supported, and there is no upgrade path for them in setup.<br /> you may wish to first upgrade to 0.9.10 (the last version to support pre-beta upgrades) <br />and then upgrade from there with the current version. setup sl Videti je, da uporabljate pred-beta razliÄ<69>ico egroupWare.<br /> Te razliÄ<69>ice niso veÄ<65> podprte in nadgradnja z njih ni mogoÄ<6F>a.<br /> Prosimo, da najprej nadgradite na 0.9.10, (zadnja razliÄ<69>ica, ki podpira pred-beta posodabljanje) <br /> in potem nadgradite na posodobljeno razliÄ<69>ico.
you appear to be running an old version of php <br />it its recommend that you upgrade to a new version. <br />older version of php might not run egroupware correctly, if at all. <br /><br />please upgrade to at least version %1 setup sl Videti je, da uporabljate staro razliÄ<69>ico PHP.<br />PriporoÄ<6F>amo, da nadgradite na novo razliÄ<69>ico.<br />StarejÅ¡e razliÄ<69>ice morda ne bodo pravilno izvajale eGroupWare programov, Ä<>e jih sploh bodo.<br /><br />Prosim, nadgradite vsaj na PHP razliÄ<69>ico %1.
you appear to be running version %1 of egroupware setup sl Videti je, da imate eGroupWare razliÄ<69>ico %1.
you appear to be using php earlier than 4.1.0. egroupware now requires 4.1.0 or later setup sl Videti je, da uporabljate PHP, ki je starejÅ¡i od 4.1.0. eGroupWare potrebuje PHP razliÄ<69>ico 4.1.0 ali novejÅ¡o.
you appear to be using php3. disabling php4 sessions support setup sl Videti je, da uporabljate PHP3. OnemogoÄ<6F>am podporo za PHP4 seje.
you appear to be using php4. enabling php4 sessions support setup sl Videti je, da uporabljate PHP4. OmogoÄ<6F>am podporo za PHP4 seje.
you appear to have microsoft sql server support enabled setup sl Videti je, da imate omogoÄ<6F>eno podporo MS SQL podatkovnega strežnika.
you appear to have mysql support enabled setup sl Videti je, da imate omogoÄ<6F>eno podporo za MySQL podatkovni strežnik.
you appear to have odbc support enabled setup sl Videti je, da imate omogoÄ<6F>eno podporo za ODBC dostop do podatkov.
you appear to have oracle support enabled setup sl Videti je, da imate omogoÄ<6F>eno podporo za Oracle podatkovni strežnik.
you appear to have oracle v8 (oci) support enabled setup sl Videti je, da imate omogoÄ<6F>eno podporo za Oracle V8 (OCI) podatkovni strežnik.
you appear to have postgres-db support enabled setup sl Videti je, da imate omogo&#269;eno podporo Postgres SQL podatkovnega strežnika.
you appear to have postgresql support enabled setup sl Videti je, da imate omogoÄ<6F>eno podporo za PostgreSQL podatkovni strežnik.
you appear to have xml support enabled setup sl Videti je, da imate omogoÄ<6F>eno podporo XML.
you are ready for this stage, but this stage is not yet written.<br /> setup sl Pripravljeni ste za ta korak vendar Å¡e ni zapisan.<br />
you didn't enter a config password for domain %1 setup sl Niste vnesli konfiguracijskega gesla za domeno %1
you didn't enter a config username for domain %1 setup sl Niste vnesli konfiguracijskega uporabniškega imena za domeno %1
you didn't enter a header admin password setup sl Niste vnesli upravljalskega gesla za header.inc.php.
you didn't enter a header admin username setup sl Niste vnesli upravljalskega uporabniškega imena za header.inc.php.
you do not have any languages installed. please install one now <br /> setup sl Nimate nameÅ¡Ä<C2A1>enih jezikov. Prosim, izberite enega sedaj.<br />
you have not created your header.inc.php yet!<br /> you can create it now. setup sl Niste Å¡e ustvarili header.inc.php!<br />Lahko ga ustvarite sedaj.
you have successfully logged out setup sl Uspešno ste se odjavili.
you must enter a username for the admin setup sl Vnesti morate upravljaÄ<61>evo uporabniÅ¡ko ime.
you need to add some domains to your header.inc.php. setup sl V header.inc.php morate vnesti nekaj domen.
you need to select your current charset! setup sl Izbrati morate vaš trenutni nabor znakov.
you should either uninstall and then reinstall it, or attempt manual repairs setup sl Morate jo ali odstraniti in ponovno namestiti, ali pa roÄ<6F>no popraviti.
you will need to load the proper schema into your ldap server - see phpgwapi/doc/ldap/readme setup sl V vaš LDAP strežniko boste morali vnesti pravilno shemo. Preberite <a href="../phpgwapi/doc/ldap/README" target="_blank">phpgwapi/doc/ldap/README</a>
you're using an old configuration file format... setup sl Uporabljate star format konfiguracijskih datotek.
you're using an old header.inc.php version... setup sl Uporabljate staro razliÄ<69>ico header.inc.php.
your applications are current setup sl Vaše aplikacije so najnovejše
your backup directory '%1' %2 setup sl Vaša arhivska mapa '%1' %2
your database does not exist setup sl Vaša podatkovna baza ne obstaja.
your database is not working! setup sl Vaša podatkovna baza ne deluje.
your database is working, but you dont have any applications installed setup sl VaÅ¡a podatkovna baza deluje, a nimate nameÅ¡Ä<C2A1>enih nobenih aplikacij.
your files directory '%1' %2 setup sl Vaša splošna mapa za datoteke '%1' %2
your header admin password is not set. please set it now! setup sl Vaše upravljalsko geslo NI nastavljeno. Prosim, vnesite ga sedaj.
your header.inc.php needs upgrading. setup sl Vaša header.inc.php datoteka je potrebna posodobitve.
your header.inc.php needs upgrading.<br /><blink><b class="msg">warning!</b></blink><br /><b>make backups!</b> setup sl Vaša header.inc.php datoteka je potrebna posodobitve.<br /><blink><b class="msg">POZOR!</b></blink><br /><b>Naredite rezervno kopijo datoteke in vseh podatkov!</b>
your php installation does not have appropriate gd support. you need gd library version 1.8 or newer to see gantt charts in projects. setup sl VaÅ¡a PHP namestitev nima GD (vsaj razliÄ<69>ico 1.8) podpore, ki je potrebna za prikazovanje Gantovih preglednic v projektih.
your tables are current setup sl Vaše tabele so najnovejše
your tables may be altered and you may lose data setup sl Vaše tabele se lahko spremenijo. Obstaja možnost, da pri tem izgubite podatke.
your tables will be dropped and you will lose data setup sl Vaše tabele bodo odstranjene. Pri tem boste izgubili podatke!
your temporary directory '%1' %2 setup sl VaÅ¡a zaÄ<61>asna mapa '%1' %2

518
setup/lang/phpgw_sv.lang Normal file
View File

@ -0,0 +1,518 @@
%1 does not exist !!! setup sv %1 existerar inte!!!
%1 is %2%3 !!! setup sv %1 är %2%3 !!!
(searching accounts and changing passwords) setup sv (söker konton och ändrar lösenord)
*** do not update your database via setup, as the update might be interrupted by the max_execution_time, which leaves your db in an unrecoverable state (your data is lost) !!! setup sv Uppdatera *INTE* databasen via setup. Uppdateringen kan avbrytas av max_execution_time vilket förstör databasen oåterkallerligt!!
*** you have to do the changes manualy in your php.ini (usualy in /etc on linux) in order to get egw fully working !!! setup sv ***Du måste uppdatera php.ini manuellt (finns vanligtvis i /etc på Linux och i windows-mappen på Windows) för att få eGW att fungera.
00 (disable) setup sv 00 (stäng av/rekomenderat)
13 (ntp) setup sv 13 (ntp)
80 (http) setup sv 80 (http)
<b>charset to use</b> (use utf-8 if you plan to use languages with different charsets): setup sv <b>teckentabell som skall användas</b> (använd utf-8 om du skall ha stöd för språk med olika teckentabeller)
<b>this will create 1 admin account and 3 demo accounts</b><br />the username/passwords are: demo/guest, demo2/guest and demo3/guest. setup sv <b>Detta kommer att skapa ett (1) adminkonto och tre demokonton</b><br />Användarnamnen/lösenorden är demo/guest, demo2/guest samt demo3/guest.
accounts existing setup sv Existerande konton
actions setup sv Åtgärder
add a domain setup sv Lägg till domän
add auto-created users to this group ('default' will be attempted if this is empty.) setup sv lägg till automatiskt skapade användare till denna grupp ('Default' kommer att användas om denna är tom)
additional settings setup sv Övriga inställningar
admin first name setup sv Admins förnamn
admin last name setup sv Admins efternamn
admin password setup sv Admins lösenord
admin password to header manager setup sv adminlösenord till header hanager
admin user for header manager setup sv adminkonto för header manager
admin username setup sv admins användarnamn
admins setup sv Administratörer
after backing up your tables first. setup sv efter att ha backat upp dina tabeller
after retrieving the file, put it into place as the header.inc.php. then, click "continue". setup sv När du hämtat filen, spara den som header.inc.php Klicka sedan "Fortsätt"
all applications setup sv Samtliga applikationer
all core tables and the admin and preferences applications setup sv Alla huvudtabeller samt "admin" och "alternativ"-applikationerna
all languages (incl. not listed ones) setup sv Samtliga språk (inkl de som ej visas)
all users setup sv Samtliga användare
analysis setup sv Analys
and reload your webserver, so the above changes take effect !!! setup sv OCH starta om webservern så att förändringarna träder i kraft!!
app details setup sv Applikationsdetaljer
app install/remove/upgrade setup sv App installera/uppgradera/avinstallera
app process setup sv app-process
application data setup sv Applikationsdata
application list setup sv Applikationslista
application management setup sv Applikationshantering
application name and status setup sv Applikationsnamn och status
application name and status information setup sv Applikationsnamn och statusinformation
application title setup sv Applikationstitel
application: %1, file: %2, line: "%3" setup sv Applikation: %1, fil: %2, rad "%3"
are you sure you want to delete your existing tables and data? setup sv Vill du verkligen radera dina existerande tabeller med allt data?
are you sure? setup sv ÄR DU SÄKER?
at your request, this script is going to attempt to create the database and assign the db user rights to it setup sv På din begäran kommer detta script att skapa en databas och tilldela databasanvändaren rättigheter till databasen
at your request, this script is going to attempt to install a previous backup setup sv På din begäran kommer detta script att försöka en tidigare backup
at your request, this script is going to attempt to install the core tables and the admin and preferences applications for you setup sv På din begäran kommer detta script att försöka installera huvudtabellerna samt admin och alternativ-applikationerna.
at your request, this script is going to attempt to upgrade your old applications to the current versions setup sv På din begäran kommer detta script att försöka uppgradera dina befintliga applikationer till senaste version
at your request, this script is going to attempt to upgrade your old tables to the new format setup sv På din begäran kommer detta script att försöka uppgradera dina befintliga tabeller till det nya formatet
at your request, this script is going to take the evil action of deleting your existing tables and re-creating them in the new format setup sv På din begäran kommer detta script att radera dina gamla tabeller och skapa om dem i det nya formatet
at your request, this script is going to take the evil action of uninstalling all your apps, which deletes your existing tables and data setup sv På din begäran kommer detta script att avinstallera samtliga applikationer, vilket raderar befintliga tabeller och data
attempt to use correct mimetype for ftp instead of default 'application/octet-stream' setup sv Försöka använda korrekt mime-typ för FTP istället för default 'application/octet-stream'
authentication / accounts setup sv Autenticering / Konton
auto create account records for authenticated users setup sv Skapa konton automatiskt för autenticerade användare
auto-created user accounts expire setup sv Autoskapade användarkonton förfaller
available version setup sv Tillgänglig version
back to the previous screen setup sv Tillbaka till föregående sida
back to user login setup sv Tillbaka till användarlogin
back's up your db now, this might take a few minutes setup sv Backar upp din databas, kan ta några minuter
backup '%1' deleted setup sv backup %1 raderad
backup '%1' renamed to '%2' setup sv backup %1 omdöpt till %2
backup '%1' restored setup sv backup %1 återläst
backup and restore setup sv backup och återläsning
backup failed setup sv backup misslyckades
backup finished setup sv backup färdig
backup now setup sv backa upp nu
backup sets setup sv backup-set
backup started, this might take a few minutes ... setup sv Backup har påbörjats, kan ta några minuter
because an application it depends upon was upgraded setup sv på grund av att en applikation som den var beroende av uppgraderats
because it depends upon setup sv eftersom den är beroende av
because it is not a user application, or access is controlled via acl setup sv eftersom det inte är en användarapplikation, eller för att åtkomst kontrolleras med en ACL
because it requires manual table installation, <br />or the table definition was incorrect setup sv eftersom den kräver manuell installation av tabeller, <br />eller att tabelldefinitionen var inkorrekt
because it was manually disabled setup sv eftersom den stängts av manuellt
because of a failed upgrade or install setup sv eftersom uppgradering eller installation misslyckats
because of a failed upgrade, or the database is newer than the installed version of this app setup sv eftersom uppgradering misslyckats, eller att databasen är nyare än den installerade versionen av denna applikation
because the enable flag for this app is set to 0, or is undefined setup sv eftersom påkopplad-flaggan för denna applikation är satt till 0 eller är odefinerad
bottom setup sv botten
but we <u>highly recommend backing up</u> your tables in case the script causes damage to your data.<br /><strong>these automated scripts can easily destroy your data.</strong> setup sv Men vi <u> rekommenderar starkt att du backar upp</u> dina tabeller utifall att installationen skulle råka förstöra data. <br /> <strong>Dessa automatiserade skript kan med lätthet förstöra data i dina tabeller!</strong>
cancel setup sv Avbryt
cannot create the header.inc.php due to file permission restrictions.<br /> instead you can %1 the file. setup sv Kan inte skapa header.inc.php-filen på grund av bristande behörighet.<br />Istället kan du %1 filen.
change system-charset setup sv Ändra system-teckentabell
charset setup sv iso-8859-1
charset to convert to setup sv Teckentabell att konvertera till
check can only be performed, if called via a webserver, as the user-id/-name of the webserver is not known. setup sv Kontrollen kan endast genomföras om den anropas via webserver, eftersom webserverns användarkonto inte är känt.
check installation setup sv Kontrollera installation
check ip address of all sessions setup sv kontrollera ip-adresser på alla sessioner
checking extension %1 is loaded or loadable setup sv Kontrollerar att utökning %1 är laddad eller går att ladda
checking file-permissions of %1 for %2: %3 setup sv Kontrollerar filbehörighet hos %1 för %2: %3
checking for gd support... setup sv Kontrollerar GD-support...
checking php.ini setup sv Kontrollerar php.ini
checking the egroupware installation setup sv Kontrollerar eGroupWare-installationen
click <a href="index.php">here</a> to return to setup. setup sv Klicka <a href="index.php">här</a> för att återgå till setup
click here setup sv Klicka här
click here to re-run the installation tests setup sv Klicka här för att kontrollera på nytt
completed setup sv Klar
config password setup sv Lösenord för konfiguration
config username setup sv Användarnamn för konfiguration
configuration setup sv Konfiguration
configuration completed setup sv Konfiguration slutförd
configuration password setup sv Konfigurationslösenord
configuration user setup sv Konfigurationsanvändarnamn
configure now setup sv Konfigurera nu
confirm to delete this backup? setup sv Bekräfta borrtagning av backup?
contain setup sv innehåller
continue setup sv Fortsätt
continue to the header admin setup sv Fortsätt till Header Admin
convert setup sv Konvertera
could not open header.inc.php for writing! setup sv Kunde inte öppna header.inc.php för skrivning
country selection setup sv Val av land
create setup sv Skapa
create a backup before upgrading the db setup sv skapa backup före uppgradering av databas
create admin account setup sv Skapa admin-konto
create database setup sv Skapa databas
create demo accounts setup sv Skapa demokonton
create one now setup sv Skapa ett nu
create the empty database - setup sv Skapa den tomma databasen
create the empty database and grant user permissions - setup sv Skapa den tomma databasen och tilldela användarkontot behörighet
create your header.inc.php setup sv Skapa din header.inc.php
created setup sv skapad
created header.inc.php! setup sv Skapade din header.inc.php!
creating tables setup sv Skapar tabeller
current system-charset setup sv Nuvarande system-teckentabell
current system-charset is %1, click %2here%3 to change it. setup sv Nuvarande system-teckentabell är %1, klicka %2här%3 för att ändra
current version setup sv Aktuell version
currently installed languages: %1 <br /> setup sv Installerade språk: %1 <br />
database successfully converted from '%1' to '%2' setup sv Databas konverterad från '%1' till '%2'
datetime port.<br />if using port 13, please set firewall rules appropriately before submitting this page.<br />(port: 13 / host: 129.6.15.28) setup sv Datetime-port.<br />Om du använder port 13, sätt brandväggsreglerna korrekt innan du trycker på Klar<br />(Port: 13 / Host 129.6.15.28)
day setup sv dag
day of week<br />(0-6, 0=sunday) setup sv veckodag<br />(0-6, 0=söndag)
db backup and restore setup sv DB backup och restore
db host setup sv DB host
db name setup sv DB namn
db password setup sv DB Lösenord
db port setup sv DB port
db root password setup sv DB Root-lösenord
db root username setup sv DB Root-användarnamn
db type setup sv DB typ
db user setup sv DB användare
default file system space per user/group ? setup sv Standardutrymme i filsystemet per användare/grupp?
delete setup sv Ta bort
delete all existing sql accounts, groups, acls and preferences (normally not necessary)? setup sv Ta bort existerande SQL-konton, grupper, behörigheter och inställningar (normalt inte nödvändigt)?
delete all my tables and data setup sv Ta bort alla eGW-tabeller och dess data
delete all old languages and install new ones setup sv Ta bort samtliga språk och installera nya
deleting tables setup sv Raderar tabeller
demo server setup setup sv Demoserver setup
deny access setup sv Neka åtkomst
deny all users access to grant other users access to their entries ? setup sv Neka samtliga användare möjlighet att ge andra användare åtkomst till deras poster?
dependency failure setup sv Beroendefel
deregistered setup sv avregistrerad
details for admin account setup sv detaljer för Adminkontot
did not find any valid db support! setup sv Kunde inte hitta något giltigt databasstöd
do you want persistent connections (higher performance, but consumes more resources) setup sv Vill du använda persistent connections? (bättre prestanda men använder fler systemresurser)
do you want to manage homedirectory and loginshell attributes? setup sv Vill du hantera attribut för hemkatalog och skalprogram?
does not exist setup sv existerar inte
domain setup sv Domän
domain select box on login setup sv Domänval vid inloggning
dont touch my data setup sv Rör inte mitt data
download setup sv Ladda ner
edit current configuration setup sv Redigera nuvarande konfiguration
edit your existing header.inc.php setup sv Redigera din existerande header.inc.php
edit your header.inc.php setup sv Redigera din header.inc.php
egroupware administration manual setup sv eGroupWare administrationsmanual
enable for extra debug-messages setup sv visa extra debug-meddelanden
enable ldap version 3 setup sv möjliggör LDAP version 3
enable mcrypt setup sv möjliggör MCrypt
enter some random text for app session encryption setup sv Skriv in lite slumpmässig text för kryptering av sessionsinformation
enter some random text for app_session <br />encryption (requires mcrypt) setup sv Skriv in lite slumpmässig text för<br />kryptering av sessionsinformation (kräver MCrypt)
enter the full path for temporary files.<br />examples: /tmp, c:\temp setup sv Ange fullständig sökväg för temp-filer <br />T ex: /tmp, c:\temp
enter the full path for users and group files.<br />examples: /files, e:\files setup sv Ange fullständig sökväg för användar- och gruppfiler <br />T ex: /files, e:\files
enter the full path to the backup directory.<br />if empty: files directory setup sv Ange fullständig sökväg för backupkatalog <br />om tomt: samma som användarfiler
enter the hostname of the machine on which this server is running setup sv Ange hostnamn för maskinen som kör denna server
enter the location of egroupware's url.<br />example: http://www.domain.com/egroupware &nbsp; or &nbsp; /egroupware<br /><b>no trailing slash</b> setup sv Ange eGroupWare:s URL.<br />T ex: http://www.doman.com/egroupware eller /egroupware<br /><b>Ingen avslutande slash</b>
enter the site password for peer servers setup sv Ange sitelösenord för peer-servers
enter the site username for peer servers setup sv Ange siteanvändarnamn för peer-servers
enter the title for your site setup sv Ange titel för din webbplats
enter your default ftp server setup sv Ange default FTP-server
enter your http proxy server setup sv Ange din HTTP-proxy
enter your http proxy server password setup sv Ange lösenord till din HTTP-proxy
enter your http proxy server port setup sv Ange potnummer till din HTTP-proxy
enter your http proxy server username setup sv Ange Användarnamn till din HTTP-proxy
error in admin-creation !!! setup sv Fel vid skapande av Admin-konto
error in group-creation !!! setup sv Fel vid skapande av grupp
export egroupware accounts from sql to ldap setup sv Exportera eGroupWare-konton från SQL till LDAP
export has been completed! you will need to set the user passwords manually. setup sv Exporten slutförd! Du måste manuellt sätta användarnas lösnord
export sql users to ldap setup sv Exportera användarkonton från SQL till LDAP
false setup sv Falskt
file setup sv Fil
file type, size, version, etc. setup sv Filtyp, storlek, version, etc.
filename setup sv Filnamn
for a new install, select import. to convert existing sql accounts to ldap, select export setup sv För nyinstallation, välj import. Vör att konvertera existerande SQL-konton till LDAP, välj Export
force selectbox setup sv Listruta
found existing configuration file. loading settings from the file... setup sv Fann existerande konfigurationsfil. Läser in intällningar från filen.
go back setup sv Tillbaka
go to setup sv Gå till
grant access setup sv Ge åtkomst
has a version mismatch setup sv har versions-differens
header password setup sv Header lösenord
header admin login setup sv Header Admin login
header username setup sv Header användarnamn
historylog removed setup sv Historiklogg borttagen
hooks deregistered setup sv hooks avregisterade
hooks registered setup sv hooks registrerade
host information setup sv Host-information
hostname/ip of database server setup sv Hostnamn/IP för databasserver
hour (0-24) setup sv Timme (0-24)
however, the application is otherwise installed setup sv Applikationen är ändå installerad
however, the application may still work setup sv Applikationen kanske ändå fungerar
if no acl records for user or any group the user is a member of setup sv Om inga åtkomstregler finns för användaren eller de grupper användaren är medlem av
if safe_mode is turned on, egw is not able to change certain settings on runtime, nor can we load any not yet loaded module. setup sv Om Safe Mode är aktiverat kan inte eGW ändra vissa inställningar medans den kör, eller ladda en modul som inte redan är laddad.
if the application has no defined tables, selecting upgrade should remedy the problem setup sv Om applikationen saknar definerade tabeller bör du välja att uppgradera den.
if using ldap setup sv Om LDAP används
if using ldap, do you want to manage homedirectory and loginshell attributes? setup sv Om LDAP används, vill du hantera attribut för hemktalog och programskal?
if you did not receive any errors, your applications have been setup sv Om du inte såg några fel så har dina applikationer blivit
if you did not receive any errors, your tables have been setup sv Om du inte såg några fel så har dina tabeller blivit
if you running this the first time, don't forget to manualy %1 !!! setup sv Om du kör detta fö första gången, glöm inte att manuellt %1!
if you use only languages of the same charset (eg. western european ones) you dont need to set a system-charset! setup sv Om du bara använder språk med samma teckentabell behöver du inte ställa in systemteckentabell
image type selection order setup sv Ordning för bildtypsval
import accounts from ldap to the egroupware accounts table (for a new install using sql accounts) setup sv Impotera konton från LDAP till din eGroupWare tabell (för nya installationer som skall använda SQL-baserade konton
import has been completed! setup sv Importen hav slutförts
import ldap users/groups setup sv Import av LDAP användare/grupper
importing old settings into the new format.... setup sv Importerar gamla inställningar till nytt format
include root (this should be the same as server root unless you know what you are doing) setup sv Inkludera root (detta bör vara samma som Server Root, om du nu inte vet vad du gör)
include_path need to contain "." - the current directory setup sv iclude_path måste innehålla "." (current directory)
install setup sv Installera
install all setup sv Installera samtliga
install applications setup sv Installera Applikationer
install backup setup sv Installera Backup
install language setup sv Installera Språk
installed setup sv Installerad
instructions for creating the database in %1: setup sv Instruktioner för att skapa databasen i %1:
invalid ip address setup sv Ogiltig IP-adress
invalid password setup sv Ogiltigt lösenord
is broken setup sv är trasig
is disabled setup sv är avslaget
is in the webservers docroot setup sv är i webserverns dokumentrot
is not writeable by the webserver setup sv är inte skrivbar av webservern
ldap account import/export setup sv Import/export av LDAP konton
ldap accounts configuration setup sv LDAP kontokonfiguration
ldap accounts context setup sv LDAP-kontext för konton
ldap config setup sv LDAP-konfiguration
ldap default homedirectory prefix (e.g. /home for /home/username) setup sv LDAP default hemkatalogsprefix (dvs /home för /home/username)
ldap default shell (e.g. /bin/bash) setup sv LDAP default skal (dvs /bin/bash)
ldap encryption type setup sv LDAP krypteringstyp
ldap export setup sv LDAP export
ldap export users setup sv LDAP användarexport
ldap groups context setup sv LDAP Gruppkontext
ldap host setup sv LDAP host (server)
ldap import setup sv LDAP import
ldap import users setup sv LDAP användarimport
ldap modify setup sv LDAP modifiering
ldap root password setup sv LDAP root lösenord
ldap rootdn setup sv LDAP rootdn
ldap search filter for accounts, default: "(uid=%user)", %domain=egw-domain setup sv LDAP sökfilter för konton, default: "(uid=%user)", %domain=eGW-domain
limit access to setup to the following addresses, networks or hostnames (e.g. 127.0.0.1,10.1.1,myhost.dnydns.org) setup sv Begränsa åtkomst till följande adresser, nätverk eller hostnamn (dvs 127.0.0.1,192.168.1,frodo.mydomain.org
login to mysql - setup sv login till mysql -
logout setup sv logga ut
make sure that your database is created and the account permissions are set setup sv Förvissa dig om att din databas är skapad, och att åtkomst är konfigurerad rätt
manage applications setup sv Hantera applikationer
manage languages setup sv Hantera språk
max_execution_time is set to less than 30 (seconds): egroupware sometimes needs a higher execution_time, expect occasional failures setup sv max_execution_time är satt till mindre än 30 sekunder. eGroupWare behöver ibland mer tid på sig. Förvänta dig problem emellanåt.
maximum account id (e.g. 65535 or 1000000) setup sv Maximalt kontoID (dvs 65535 eller 1000000)
may be broken setup sv kan vara trasig
mcrypt algorithm (default tripledes) setup sv Algoritm för MCrypt (default 3DES)
mcrypt initialization vector setup sv MCrypt initialisationsvektor
mcrypt mode (default cbc) setup sv MCrypt-läge (Default CBC
mcrypt settings (requires mcrypt php extension) setup sv MCryptinställningar (kräver mcrypt PHP extension)
mcrypt version setup sv MCrypt-version
memory_limit is set to less than 16m: some applications of egroupware need more than the recommend 8m, expect occasional failures setup sv memory_limit är satt till mindre än 16MB. En del applikationer i eGroupWare kräver mer än de rekommenderade 8 MB. Förvänta dig problem emellanåt.
minimum account id (e.g. 500 or 100, etc.) setup sv Minimum kontoID (dvs 500 eller 100 t ex)
minute setup sv Minut
modifications have been completed! setup sv Förändringarna genomförda
modify setup sv Förändra
modify an existing ldap account store for use with egroupware (for a new install using ldap accounts) setup sv Modifiera en existerande LDAP kontolagring för användning med eGroupWare (för nyinstalation av eGroupWare med LDAP)
month setup sv månad
multi-language support setup setup sv Multispråksstöd
name of database setup sv Databasnamn
name of db user egroupware uses to connect setup sv Namnet på det användarkonto EgroupWare skall använda för att ansluta till databasen
never setup sv aldrig
new setup sv Ny
next run setup sv Nästa körning
no setup sv Nej
no accounts existing setup sv Det existerar inga konton
no algorithms available setup sv Det existerar inga algoritmer
no microsoft sql server support found. disabling setup sv Inget stöd för Microsoft SQL Server, inaktiverar
no modes available setup sv Inga lägen tillgängliga
no mysql support found. disabling setup sv Inget stöd för MySQL, inaktiverar
no odbc support found. disabling setup sv Inget stöd för ODBC, inaktiverar
no oracle-db support found. disabling setup sv Inget stöd för Oracle DB, inaktiverar
no postgresql support found. disabling setup sv Inget stöd för PostgreSQL, inaktiverar
no xml support found. disabling setup sv Inget stöd för XML, inaktiverar
not setup sv inte
not all mcrypt algorithms and modes work with egroupware. if you experience problems try switching it off. setup sv Inte alla mcrypt-algoritmer och lägen fungerar med eGroupWare. Om du upplever problem bör du testa att inaktivera stödet.
not complete setup sv Inte färdigt
not completed setup sv Inte avslutat
not ready for this stage yet setup sv Inte redå för detta stadium ännu
not set setup sv Inte satt
note: you will be able to customize this later setup sv Not: Du kan förändra detta sedan
now guessing better values for defaults... setup sv Gissar nu bättre värden för default...
ok setup sv OK
once the database is setup correctly setup sv När väl databasen är korrekt inställd
one month setup sv en månad
one week setup sv en vecka
only add languages that are not in the database already setup sv Lägga bara till språk som ännu inte finns i databasen
only add new phrases setup sv Lägg enbart till nya fraser
or setup sv eller
or %1continue to the header admin%2 setup sv eller %1fortsätt till Header Admin%2
or http://webdav.domain.com (webdav) setup sv eller http://webdav.domain.com (WebDAV)
or we can attempt to create the database for you: setup sv Eller kan vi försöka skapa databasen åt dig:
or you can install a previous backup. setup sv Eller installera en tidigare gjord backup
password needed for configuration setup sv Lösenord behövs för konfiguration
password of db user setup sv Lösenord för DB användaren
passwords did not match, please re-enter setup sv Lösenorden var inte identiska, försök igen
path information setup sv Sökvägsinformation
path to user and group files has to be outside of the webservers document-root!!! setup sv Sökväg till användar- och gruppfiler MÅSTE LIGGA UTANFÖR webserverns dokumentrot.
persistent connections setup sv Ständig koppling (Persistent connections)
please check for sql scripts within the application's directory setup sv Vänligen leta efter sql-skript inom applikationskatalogen
please check read/write permissions on directories, or back up and use another option. setup sv Var vänlig kontrollera läs/skrivrättighet på katalogerna, eller ta backup och använd ett annat alternativ
please configure egroupware for your environment setup sv Var vänlig och konfigurera eGroupWare för din miljö
please consult the %1. setup sv Var vänlig konsultera %1
please fix the above errors (%1) and warnings(%2) setup sv Var vänlig fixa fel (%1) och varningar (%2)
please install setup sv Var vänlig installera
please login setup sv Var vänlig och logga in
please login to egroupware and run the admin application for additional site configuration setup sv Var vänlig och logga in i eGroupWare och kör admin-applikationen för ytterligare konfiguration
please make the following change in your php.ini setup sv Var vänlig gör följande förändringar i din php.ini
please wait... setup sv Vänta
possible reasons setup sv Möjliga anledningar
possible solutions setup sv Möjliga lösningar
post-install dependency failure setup sv Efterinstallation har Beroendefel
potential problem setup sv Potentiellt problem
preferences setup sv Preferenser
problem resolution setup sv Problemets lösning
process setup sv Process
re-check my database setup sv Kontrollera databas igen
re-check my installation setup sv Kontrollera installationen igen
re-enter password setup sv Skriv in lösenord igen
read translations from setup sv Läs översättningar från
readable by the webserver setup sv läsbar av webservern
really uninstall all applications setup sv Vill du verkligen avinstallera samtliga installationer
recommended: filesystem setup sv Recommenderat: Filsystem
register_globals is turned on, egroupware does not require it and it's generaly more secure to have it turned off setup sv register_globals är PÅslagen, eGroupWare kräver inte det och det är säkrare med det AVslaget.
registered setup sv registrerad
rejected lines setup sv Ej godtagna rader
remove setup sv ta bort
remove all setup sv ta bort asmtliga
rename setup sv byt namn
requires reinstall or manual repair setup sv Kräver ominstallation eller manuell reparation
requires upgrade setup sv kräver uppgradering
resolve setup sv Lösa
restore setup sv återställa
restore failed setup sv Återställning misslyckades
restore finished setup sv Återställning klar
restore started, this might take a few minutes ... setup sv återställning startad, detta kan ta några minuter...
restoring a backup will delete/replace all content in your database. are you sure? setup sv Återställning av backup kommer att radera/ersätta allt innehåll i databasen. Är du säker?
return to setup setup sv Återgå till Setup
run installation tests setup sv Kör installationstest
safe_mode is turned on, which is generaly a good thing as it makes your install more secure. setup sv safe_mode är PÅslaget, vilket generellt är bra eftersom det gör installationen säkrare.
sample configuration not found. using built in defaults setup sv demo-konfiguration ej hittad, använder inbyggda defaults
save setup sv Spara
save this text as contents of your header.inc.php setup sv Spara denna text som innehållet i din header.inc.php
schedule setup sv schema
scheduled backups setup sv schemalagda backuper
select an app, enter a target version, then submit to process to that version.<br />if you do not enter a version, only the baseline tables will be installed for the app.<br /><blink>this will drop all of the apps' tables first!</blink> setup sv Välj en applikation, ange målversion, tryck sedan verkställ för att processa den versionen<br /> om du inte anger version kommer bara grudtabellerna att installeras för denna applikation <br /> <blink>Detta kommer att ta bort applikationens alla tabeller först</blink>
select one... setup sv välj en
select the default applications to which your users will have access setup sv Välj vilka applikationer användare skall ha access till default
select the desired action(s) from the available choices setup sv Välj återgärder från listan nedan
select to download file setup sv välj för att ladda ner en fil
select where you want to store/retrieve file contents setup sv Välj hur du vill lagra filinnehåll
select where you want to store/retrieve filesystem information setup sv välj hur du vill lagra filsystemsinformation
select where you want to store/retrieve user accounts setup sv Välje hur du vill lagra användarkonton
select which group(s) will be exported (group membership will be maintained) setup sv Välj vilka grupper som skall exporteras (gruppmedlemsskap bibehålls)
select which group(s) will be imported (group membership will be maintained) setup sv Väljvilka grupper som skall importeras (gruppmedlemsskap bibehålls)
select which group(s) will be modified (group membership will be maintained) setup sv Välj vilka grupper som skall ändras (gruppmedlemsskap bibehålls)
select which languages you would like to use setup sv Välj vilka språk som skall vara tillgängliga
select which method of upgrade you would like to do setup sv Välj vilken uppgraderingsmetod du vill använda
select which type of authentication you are using setup sv Välj vilken typ av autenticering du vill använda
select which user(s) will also have admin privileges setup sv Välj vilka användare som också skall ha admin-behörighet
select which user(s) will be exported setup sv Välj vilka användare som skall exporteras
select which user(s) will be imported setup sv Välj vilka användare som skall importeras
select which user(s) will be modified setup sv Välj vilka användare som skall ändras
select which user(s) will have admin privileges setup sv Välj vilka användare som skall ha adminbehörighet
select your old version setup sv Välj den gamla versionen
selectbox setup sv Listruta
server root setup sv Server root
sessions type setup sv Sessionstyp
set setup sv ställ in
set this to "old" for versions &lt; 2.4, otherwise the exact mcrypt version you use. setup sv sätt denna till Äldre för versioner < 2.4, annars den exakta versionen av mcrypt du har.
setting the system-charset to utf-8 (unicode) allows the coexistens of data from languages of different charsets. setup sv Sättande av systemteckentabell till UTF-8(Unicode) tillåter samexeistens av data med flera olika språk.
settings setup sv Inställningar
setup setup sv Setup
setup demo accounts in ldap setup sv Installera demokonton till LDAP
setup main menu setup sv Setup huvudmeny
setup the database setup sv Databaskonfiguration
setup/config admin login setup sv Sätt upp/Konfigurera Admin login
show 'powered by' logo on setup sv Visa "Powered by"-logga
size setup sv storlek
some or all of its tables are missing setup sv Några eller samtliga av dess tabeller saknas
sql encryption type setup sv SQL krypteringstyp för Lösenord (default: MD5)
start the postmaster setup sv Starta postmaster
status setup sv Status
step %1 - admin account setup sv Steg %1 - Adminkontot
step %1 - advanced application management setup sv Steg %1 - Avancerad applikationshantering
step %1 - configuration setup sv Steg %1 - Konfiguration
step %1 - db backup and restore setup sv Steg %1 - Backup och återställning
step %1 - language management setup sv Steg %1 - Språkhantering
step %1 - simple application management setup sv Steg %1 - Enkel applikationshantering
succesfully uploaded file %1 setup sv Uppladdning av filen %1 lyckades
table change messages setup sv Tabellförändringsmeddelanden
tables dropped setup sv Tabeller borttagna
tables installed, unless there are errors printed above setup sv Tabeller färdiginstallerade, om det inte meddelades fel ovan
tables upgraded setup sv tabeller uppgraderade
target version setup sv Målversion
tcp port number of database server setup sv TCP-port för databasserver
text entry setup sv Textfält
the %1 extension is needed, if you plan to use a %2 database. setup sv %1 utökningen behövs, om du vill använda en %2 databas
the db_type in defaults (%1) is not supported on this server. using first supported type. setup sv db_type i defaults (%1) supportas inte på denna server. Använder den första supportade typen
the file setup sv filen
the first step in installing egroupware is to ensure your environment has the necessary settings to correctly run the application. setup sv Det första steget i en installation av eGroupWare är att försäkra sig att allt är rätt inställt för eGroupWare
the following applications need to be upgraded: setup sv Följande applikationer behöver uppgraderas:
the imap extension is needed by the two email apps (even if you use email with pop3 as protocoll). setup sv imap-utökningen behövs av de två mailapplikationerna (även om du tänker använda pop3)
the mbstring extension is needed to fully support unicode (utf-8) or other multibyte-charsets. setup sv mbstring-utökningen behövs för att fullt ut kunna stödja Unicode (UTF-8) eller andra multi-byte teckenuppsättningar
the mbstring.func_overload = 7 is needed to fully support unicode (utf-8) or other multibyte-charsets. setup sv mbstring.func_overload = 7 behövs för att fullt ut kunna stödja Unicode (UTF-8) eller andra multi-byte teckenuppsättningar
the table definition was correct, and the tables were installed setup sv Tabelldefinitionen var korrekt och tabellerna installerades
the tables setup sv tabellerna
there was a problem trying to connect to your ldap server. <br /> setup sv Det uppstod problem med att kontakta din LDAP-server. <br />
there was a problem trying to connect to your ldap server. <br />please check your ldap server configuration setup sv Det uppstod problem med att kontakta din LDAP-server.<br />kontrollera din LDAP serverkonfiguration
this has to be outside the webservers document-root!!! setup sv Måste ligga utanför webserverns dokumentrot!!!
this might take a while, please wait ... setup sv Detta kan ta ett tag, vänta...
this program lets you backup your database, schedule a backup or restore it. setup sv Detta program låter dig backa upp din databas, schemalägga en backup eller återställa en backup.
this program will convert your database to a new system-charset. setup sv Detta program låter dig konvertera din databas till en ny systemteckentabell
this program will help you upgrade or install different languages for egroupware setup sv Detta program hjälper dig att installera eller uppgradera de språk du vill använda i eGroupWare
this section will help you export users and groups from egroupware's account tables into your ldap tree setup sv Denna sektion hjälper dig exportera användare och grupper från eGroupWares tabeller till ett LDAP-träd
this section will help you import users and groups from your ldap tree into egroupware's account tables setup sv Denna sektion hjälper dig att importera användare och grupper från ditt LDAP-träd till eGroupWares tabeller
this section will help you setup your ldap accounts for use with egroupware setup sv Denna sektion hjälper dig ställa in dina LDAP-konton för användning i eGroupWare
this should be around 30 bytes in length.<br />note: the default has been randomly generated. setup sv Detta bör vara ca 30 bytes i längd. <br />Not: Default är slumpmässigt genererat.
this stage is completed<br /> setup sv Detta stadium klart
to a version it does not know about setup sv till en okänd version
to setup 1 admin account and 3 demo accounts. setup sv för att skapa ett adminkonto och tre demokonton
top setup sv överst
translations added setup sv Översättningar tillagda
translations removed setup sv Översättningar borttagna
translations upgraded setup sv Översättningar uppgraderade
true setup sv Sant
try to configure your php to support one of the above mentioned dbms, or install egroupware by hand. setup sv Försök konfigurera php att stödja någon av databaserna ovan, eller installera eGroupWare för hand.
two weeks setup sv två veckor
uninstall setup sv avinstallera
uninstall all applications setup sv Avinstallera samtliga applikationer
uninstalled setup sv avinstallerade
upgrade setup sv Uppgradera
upgrade all setup sv Uppgradera samtliga
upgraded setup sv Uppgraderade
upgrading tables setup sv Uppgraderar tabeller
upload backup setup sv ladda upp backup
uploads a backup and installs it on your db setup sv laddar upp en backup och installerar den i din databas
uploads a backup to the backup-dir, from where you can restore it setup sv Laddar upp backupen till backup-katalogen, från vilken du kan återställa den.
use cookies to pass sessionid setup sv Använd cookies för att lagra sessionid
use pure html compliant code (not fully working yet) setup sv Använd ren HTML compliant kod (fungerar inte korrekt ännu)
user account prefix setup sv användarkontoprefix
usernames are casesensitive setup sv Användarnamn är skiftläges-känsliga
users choice setup sv Användarval
utf-8 (unicode) setup sv UTF-8 (Unicode)
version setup sv Version
version mismatch setup sv Versionsfel
view setup sv Visa
warning! setup sv Varning!
we can proceed setup sv Vi kan forstätta
we will automatically update your tables/records to %1 setup sv Vi kommer automatiskt att uppdatera dina tabeller/poster till %1
we will now run a series of tests, which may take a few minutes. click the link below to proceed. setup sv Vi kör nu ett antal teste vilket kan ta några minuter. Klicka på länken nedan för att fortsätta
welcome to the egroupware installation setup sv Välkommen till installation av eGroupWare
what type of sessions management do you want to use (php4 session management may perform better)? setup sv Vilken typ av sessionshantering vill du använda (PHP4-sessionshantering kan gå snabbare)
which database type do you want to use with egroupware? setup sv Vilken typ av databas vill du använda med eGroupWare?
world readable setup sv Läsbar av alla (world readable)
world writable setup sv Skrivbar av alla (world writable)
would you like egroupware to cache the phpgw info array ? setup sv Vill du att eGroupWare skall cacha phpgw info array?
would you like egroupware to check for a new version<br />when admins login ? setup sv Vill du att eGroupWare skall kontrollera om det finns nya versioner<br />när admin loggar in?
would you like to show each application's upgrade status ? setup sv Vill du visa varje applikations uppgraderingsstatus?
writable by the webserver setup sv Skrivbar av webservern
write config setup sv Skriv konfiguration
year setup sv år
yes setup sv Ja
you appear to be running a pre-beta version of egroupware.<br />these versions are no longer supported, and there is no upgrade path for them in setup.<br /> you may wish to first upgrade to 0.9.10 (the last version to support pre-beta upgrades) <br />and then upgrade from there with the current version. setup sv Du verkar köra en pre-beta version av eGroupWare.<br />Dessa versioner stöds inte längre och det finns ingen uppgraderingsväg via setup.<br />Du måste först uppgradera till 0.9.10(sista versionen som stödde detta)<br /> och sedan uppgradera igen med denna version.
you appear to be running an old version of php <br />it its recommend that you upgrade to a new version. <br />older version of php might not run egroupware correctly, if at all. <br /><br />please upgrade to at least version %1 setup sv Du verkar köra en äldre version av PHP.<br />Det är rekommenderat att du uppgraderar till en nyare version.<br />Äldre versioner av PHP kanske inte kör eGroupWare korrekt, om alls.<br /><br />Du rekommenderas starkt att uppgradera till åtminstone version %1
you appear to be running version %1 of egroupware setup sv Du verkar köra version %1 av eGroupWare
you appear to be using php earlier than 4.1.0. egroupware now requires 4.1.0 or later setup sv Du verkar köra en äldre version av PHP än 4.1.0. eGroupWare kräver PHP 4.1.0 eller senare.
you appear to be using php3. disabling php4 sessions support setup sv Du verkar köra PHP3, stänger av PHP4:as sessionsstöd
you appear to be using php4. enabling php4 sessions support setup sv Du verkar köra PHP4, Aktiverar PHP4:as sessionsstöd
you appear to have microsoft sql server support enabled setup sv Du verkar ha stöd för Microsoft SQL Server aktiverat
you appear to have mysql support enabled setup sv Du verkar ha stöd för MySQL aktiverat
you appear to have odbc support enabled setup sv Du verkar ha stöd för ODBC aktiverat
you appear to have oracle support enabled setup sv Du verkar ha stöd för Oracle aktiverat
you appear to have oracle v8 (oci) support enabled setup sv Du verkar ha stöd för Oracle V8 (OC1) aktiverat
you appear to have postgresql support enabled setup sv Du verkar ha stöd för PostgreSQL aktiverat
you appear to have xml support enabled setup sv Du verkar ha stöd för XML aktiverat
you are ready for this stage, but this stage is not yet written.<br /> setup sv Du är redo för detta stadium, men detta stadium är inte skrivet ännu.<br />
you didn't enter a config password for domain %1 setup sv Du angav inget config-lösenord för domän %1
you didn't enter a config username for domain %1 setup sv Du angav inget config-användarnamn för domän %1
you didn't enter a header admin password setup sv Du angav inget header admin-lösenord
you didn't enter a header admin username setup sv Du angav inget header admin-användarnamn
you do not have any languages installed. please install one now <br /> setup sv Du har för närvarande inga språk installerade. Var vänlig installera ett nu<br />
you have not created your header.inc.php yet!<br /> you can create it now. setup sv Du har inte skapat din header.php.inc ännu!<br />Du kan skapa den nu.
you have successfully logged out setup sv Du har nu loggat ut.
you must enter a username for the admin setup sv Du måste ange ett lösenord för admin
you need to add some domains to your header.inc.php. setup sv Du måste lägga till några domäner till din header.inc.php
you need to select your current charset! setup sv Du måste välja teckentabell
you should either uninstall and then reinstall it, or attempt manual repairs setup sv Du måste antingen avinstallera och installera om, eller reparera manuellt.
you will need to load the proper schema into your ldap server - see phpgwapi/doc/ldap/readme setup sv Du behöver ladda ett korrekt schema i din LDAP-server - se <a href="../phpgwapi/doc/ldap/README" target="_blank">phpgwapi/doc/ldap/README</a>
you're using an old configuration file format... setup sv Du använder ett äldre konfigurationsfilformat...
you're using an old header.inc.php version... setup sv Du använder en gammal header.inc.php version...
your applications are current setup sv Dina applikationer är aktuella
your backup directory '%1' %2 setup sv Din backupkatalog '%1' %2
your database does not exist setup sv Din databas existerar inte
your database is not working! setup sv Din databas fungerar inte
your database is working, but you dont have any applications installed setup sv Din databas fungerar men du har inga installerade applikationer
your files directory '%1' %2 setup sv din filkatalog '%1' %2
your header admin password is not set. please set it now! setup sv Ditt header admin-lösenord är inte satt. Skriv in det nu!
your header.inc.php needs upgrading. setup sv Din header.inc.php behöver uppgraderas.
your header.inc.php needs upgrading.<br /><blink><b class="msg">warning!</b></blink><br /><b>make backups!</b> setup sv Din header.inc.php behöver uppgraderas<br /><blink><b class="msg">VARNING!</b></blink><br /><b>TA BACKUP!</b>
your php installation does not have appropriate gd support. you need gd library version 1.8 or newer to see gantt charts in projects. setup sv Din PHP-installation saknar korrekt GD-stöd. Du behöver GD-library version 1.8 eller bättre om du vill använda Gantt-diagram i Projekt
your tables are current setup sv Dina tabeller är aktuella
your tables will be dropped and you will lose data setup sv Dina tabeller kommer att tas bort och du förlorar data!!
your temporary directory '%1' %2 setup sv Din temp-katalog '%1' %2

547
setup/lang/phpgw_zh-tw.lang Normal file
View File

@ -0,0 +1,547 @@
%1 does not exist !!! setup zh-tw %1不存在
%1 is %2%3 !!! setup zh-tw %1 是 %2%3
(searching accounts and changing passwords) setup zh-tw (搜尋帳號並且修改密碼)
*** do not update your database via setup, as the update might be interrupted by the max_execution_time, which leaves your db in an unrecoverable state (your data is lost) !!! setup zh-tw ***請不要透過安裝程式更新您的資料庫,因為執行過程可能超過系統預設允許的時間而遭到中斷,這可能會造成資料的遺失!
*** you have to do the changes manualy in your php.ini (usualy in /etc on linux) in order to get egw fully working !!! setup zh-tw ***您必須手動修改php.ini的設定來讓eGroupWare順利執行所有功能
00 (disable) setup zh-tw 00 (關閉 / 建議)
13 (ntp) setup zh-tw 13 (ntp)
80 (http) setup zh-tw 80 (網站伺服器)
<b>charset to use</b> (use utf-8 if you plan to use languages with different charsets): setup zh-tw <b>使用的字元編碼</b> (如果您希望使用多國語言環境,請輸入 utf-8 ):
<b>this will create 1 admin account and 3 demo accounts</b><br />the username/passwords are: demo/guest, demo2/guest and demo3/guest. setup zh-tw <b>這會產生 1 個管理者帳號以及 3 個測試帳號</b><br />測試帳號的密碼分別是: demo/guest, demo2/guest 與 demo3/guest。
accounts existing setup zh-tw 帳號已經存在
actions setup zh-tw 動作
add auto-created users to this group ('default' will be attempted if this is empty.) setup zh-tw 新增自動建立使用者到這個群組﹝若留空白則使用「Default」﹞
add new database instance (egw domain) setup zh-tw 新增資料庫實例(eGW 網域)
additional settings setup zh-tw 其他設定
admin first name setup zh-tw 管理者名
admin last name setup zh-tw 管理者姓
admin password setup zh-tw 管理者密碼
admin password to header manager setup zh-tw 頁首資訊管理者密碼
admin user for header manager setup zh-tw 頁首管理者
admin username setup zh-tw 管理者帳號
admins setup zh-tw 管理者
after backing up your tables first. setup zh-tw 接著先備份您的資料表
after retrieving the file, put it into place as the header.inc.php. then, click "continue". setup zh-tw 在重新取得檔案後將它上傳到egroupware的根目錄且命名為header.inc.php。接著按下"繼續"。
all applications setup zh-tw 所有的應用程式
all core tables and the admin and preferences applications setup zh-tw 所有的主要資料表、管理介面與應用程式
all languages (incl. not listed ones) setup zh-tw 所有語言(包過沒有在清單中的)
all users setup zh-tw 所有使用者
allow authentication via cookie setup zh-tw 允許透過 cookie 認證
allow password migration setup zh-tw 允許密碼轉換
allowed migration types (comma-separated) setup zh-tw 允許的轉換類型(逗點分隔)
analysis setup zh-tw 分析
and reload your webserver, so the above changes take effect !!! setup zh-tw 重新啟動您的網站伺服器來套用異動!
app details setup zh-tw 應用程式詳細內容
app install/remove/upgrade setup zh-tw 應用程式安裝╱移除╱升級
app process setup zh-tw 應用程式處理
application data setup zh-tw 應用程式資料
application list setup zh-tw 應用程式清單
application management setup zh-tw 應用程式管理
application name and status setup zh-tw 應用程式名稱及狀態
application name and status information setup zh-tw 應用程式名稱及狀態資訊
application title setup zh-tw 應用程式標題
application: %1, file: %2, line: "%3" setup zh-tw 應用程式: %1, 檔案: %2, 行: "%3"
are you sure you want to delete your existing tables and data? setup zh-tw 您確定要刪除已經存在的資料表與資料?
are you sure? setup zh-tw 您確定?
at your request, this script is going to attempt to create the database and assign the db user rights to it setup zh-tw 跟據您的要求,系統現在將會嘗試建立資料庫以及相關資料庫的使用權組態。
at your request, this script is going to attempt to install a previous backup setup zh-tw 根據您的要求,這個程式將嘗試還原最近一次備份的資料
at your request, this script is going to attempt to install the core tables and the admin and preferences applications for you setup zh-tw 根據您的要求,這個程式將嘗試為您安裝主要資料表、管理介面與應用程式。
at your request, this script is going to attempt to upgrade your old applications to the current versions setup zh-tw 跟據您的要求,系統現在將會嘗試將所有舊版本的應用程式升級。
at your request, this script is going to attempt to upgrade your old tables to the new format setup zh-tw 跟據您的要求,系統現在將會嘗試將您的資料表升級成新的架構。
at your request, this script is going to take the evil action of deleting your existing tables and re-creating them in the new format setup zh-tw 跟據您的要求,系統現在將會將您原始的資料表及其中的資料完全移除,並以新的資料表格式重新建立資料表。
at your request, this script is going to take the evil action of uninstalling all your apps, which deletes your existing tables and data setup zh-tw 跟據您的要求,系統現在將會移除所有的應用程式並移除所有的資料表及其中的資料。
attempt to use correct mimetype for ftp instead of default 'application/octet-stream' setup zh-tw 嘗試使用正確的 FTP 檔案格式而非預設的「application/octet-stream」
authentication / accounts setup zh-tw 認證/帳號
auto create account records for authenticated users setup zh-tw 自動建立所有授權使用者的帳號資料
auto-created user accounts expire setup zh-tw 自動建立的使用者帳號過期
available version setup zh-tw 可使用的版本
back to the previous screen setup zh-tw 回到上一個畫面
back to user login setup zh-tw 回到首頁
back's up your db now, this might take a few minutes setup zh-tw 立刻被份您的資料庫,這也許要多等幾分鐘
backup '%1' deleted setup zh-tw 刪除備份 '%1'
backup '%1' renamed to '%2' setup zh-tw 備份資料 '%1' 改名為 '%2'
backup '%1' restored setup zh-tw 還原備份 '%1'
backup and restore setup zh-tw 備份與還原
backup failed setup zh-tw 備份錯誤
backup finished setup zh-tw 備份完成
backup now setup zh-tw 立刻備份
backup sets setup zh-tw 備份資料
backup started, this might take a few minutes ... setup zh-tw 備份進行中,請等待...
because an application it depends upon was upgraded setup zh-tw 因為它所依存的應用程式已經升級了
because it depends upon setup zh-tw 因為此應用程式被關聯到
because it is not a user application, or access is controlled via acl setup zh-tw 因為此應用程式不是一個使用者端的應用程式,或是由權限控管存取權限。
because it requires manual table installation, <br />or the table definition was incorrect setup zh-tw 因為此應用程式它需要手動安裝資料表或是資料表的定義不正確。
because it was manually disabled setup zh-tw 因為此應用程式已經被手動停用了。
because of a failed upgrade or install setup zh-tw 因為此應用程式升級或安裝失敗。
because of a failed upgrade, or the database is newer than the installed version of this app setup zh-tw 因為升級失敗,或是資料庫比此應用程式的版本還要新。
because the enable flag for this app is set to 0, or is undefined setup zh-tw 因為此應用程式的啟用設定值被設定為 0 或是為被設定。
bottom setup zh-tw 底部
but we <u>highly recommend backing up</u> your tables in case the script causes damage to your data.<br /><strong>these automated scripts can easily destroy your data.</strong> setup zh-tw 但是我們<u>強烈建議您備份您的資料表</u>,以免系統自動作業時損傷到您的資料,<br /><strong>這個自動作業程式很容意造成資料的損傷</strong>
cancel setup zh-tw 取消
cannot create the header.inc.php due to file permission restrictions.<br /> instead you can %1 the file. setup zh-tw 因為檔案權限限制系統無法自動建立檔案header.inc.php<br />不過您可以%1這個檔案。
change system-charset setup zh-tw 修改系統字元設定
charset setup zh-tw utf-8
charset to convert to setup zh-tw 字元轉換成
check can only be performed, if called via a webserver, as the user-id/-name of the webserver is not known. setup zh-tw 當網頁伺服器使用者編號/名稱是未知的,透過網頁伺服器呼叫就只能執行檢查
check installation setup zh-tw 檢查系統安裝狀態
check ip address of all sessions setup zh-tw 檢查所有連線的網路位址
checking extension %1 is loaded or loadable setup zh-tw 檢查%1是否已讀取或可讀取
checking file-permissions of %1 for %2 %3: %4 setup zh-tw 檢查 %1 的檔案權限是否為 %2 %3目前狀態 %4
checking for gd support... setup zh-tw 檢查是否支援GD...
checking pear%1 is installed setup zh-tw 檢查 PEAR%1 安裝狀態
checking php.ini setup zh-tw 檢查php.ini
checking required php version %1 (recommended %2) setup zh-tw 檢查 PHP 版本為 %1 (建議為 %2
checking the egroupware installation setup zh-tw 檢查eGroupWare安裝狀態
click <a href="index.php">here</a> to return to setup. setup zh-tw <a href="index.php">按這裡</a>回到程式安裝。
click here setup zh-tw 點選此處
click here to re-run the installation tests setup zh-tw 點選這裡回到安裝測試
completed setup zh-tw 完成
config password setup zh-tw 設定管理員密碼
config username setup zh-tw 設定管理員帳號
configuration setup zh-tw 組態設定
configuration completed setup zh-tw 組態設定完成
configuration password setup zh-tw 組態管理密碼
configuration user setup zh-tw 設定管理員
configure now setup zh-tw 組態設定中
confirm to delete this backup? setup zh-tw 確定要刪除這個備份?
contain setup zh-tw 包含
continue setup zh-tw 繼續
continue to the header admin setup zh-tw 繼續頁首管理
convert setup zh-tw 轉換
convert backup to charset selected above setup zh-tw 轉換備份到上面選擇的字元編碼
could not open header.inc.php for writing! setup zh-tw 無法寫入任何資料到header.inc.php
country selection setup zh-tw 選擇國別
create setup zh-tw 建立
create a backup before upgrading the db setup zh-tw 在更新資料庫前建立一個備份
create admin account setup zh-tw 建立管理帳號
create database setup zh-tw 建立資料庫
create demo accounts setup zh-tw 建立展示性質帳號
create one now setup zh-tw 馬上建立
create the empty database - setup zh-tw 建立空的資料庫 -
create the empty database and grant user permissions - setup zh-tw 建立空的資料庫並且取得使用者權限 -
create your header.inc.php setup zh-tw 建立您的header.inc.php
created setup zh-tw 建立日期
created header.inc.php! setup zh-tw 已建立header.inc.php!
creating tables setup zh-tw 正在建立資料表
current system-charset setup zh-tw 目前系統字元編碼
current system-charset is %1. setup zh-tw 目前系統字元編碼是 %1 。
current version setup zh-tw 目前的版本
currently installed languages: %1 <br /> setup zh-tw 目前已安裝的語言:%1 <br />
database instance (egw domain) setup zh-tw 資料庫實例eGW網域
database successfully converted from '%1' to '%2' setup zh-tw 資料庫成功的從 '%1' 轉換成 '%2'
datebase setup 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) setup zh-tw 時間服務埠<br />如果使用13埠請在送出之前確認您已經設置好適當的防火牆規則。<br />(Port: 13 / Host: 129.6.15.28)
day setup zh-tw 日
day of week<br />(0-6, 0=sunday) setup zh-tw 週日數<br />(0-6, 0=星期天)
db backup and restore setup zh-tw 資料庫備份與還原
db host setup zh-tw 資料庫位置
db name setup zh-tw 資料庫名稱
db password setup zh-tw 資料庫密碼
db port setup zh-tw 資料庫連接埠
db root password setup zh-tw 資料庫 ROOT 密碼
db root username setup zh-tw 資料庫 ROOT 帳號
db type setup zh-tw 資料庫種類
db user setup zh-tw 資料庫使用者名稱
default file system space per user/group ? setup zh-tw 預設各使用者/群組可使用的檔案空間?
delete setup zh-tw 刪除
delete all existing sql accounts, groups, acls and preferences (normally not necessary)? setup zh-tw 刪除所有資料庫中的帳號、群組、ACLs與個人設定(通常不需要)
delete all my tables and data setup zh-tw 移除所有的資料表及資料
delete all old languages and install new ones setup zh-tw 移除所有舊的語言資訊檔並安裝新的語言資訊檔
deleting tables setup zh-tw 正在移除資料表
demo server setup setup zh-tw 示範伺服器安裝
deny access setup zh-tw 拒絕存取
deny all users access to grant other users access to their entries ? setup zh-tw 不允許任何使用者將自己的資料開放給其它使用者存取?
dependency failure setup zh-tw 相依性錯誤
deregistered setup zh-tw 取消註冊
details for admin account setup zh-tw 管理者帳號詳細內容
developers' table schema toy setup zh-tw 開發者的資料表概要
did not find any valid db support! setup zh-tw 本機器並未發現任何支援的資料庫!
do you want persistent connections (higher performance, but consumes more resources) setup zh-tw 您希望使用持續的連線嗎(較高的效能但是較耗資源)
do you want to manage homedirectory and loginshell attributes? setup zh-tw 您要管理根目錄與登入系統環境屬性嗎?
does not exist setup zh-tw 不存在
domain setup zh-tw 網域
domain name setup zh-tw 網域名稱
domain select box on login setup zh-tw 登入網域選取方塊
dont touch my data setup zh-tw 不要動我的資料
download setup zh-tw 下載
edit current configuration setup zh-tw 編輯目前的組態設定
edit your existing header.inc.php setup zh-tw 編輯已經存在的header.inc.php
edit your header.inc.php setup zh-tw 編輯您的header.inc.php
egroupware administration manual setup zh-tw eGroupWare管理手冊
enable for extra debug-messages setup zh-tw 啟用附加的除錯訊息
enable ldap version 3 setup zh-tw 啟用LDAP版本3
enable mcrypt setup zh-tw 啟用MCrypt
enter some random text for app session encryption setup zh-tw 您可以輸入任意的文字來提供系統加密的依據
enter some random text for app_session <br />encryption (requires mcrypt) setup zh-tw 輸入用於連線加密的任意字串﹝需要安裝 MCRYPT﹞<br />
enter the full path for temporary files.<br />examples: /tmp, c:\temp setup zh-tw 輸入暫存檔案存放的完整路徑:<br />﹝如:/tmp、C:\TEMP﹞
enter the full path for users and group files.<br />examples: /files, e:\files setup zh-tw 輸入使用者或群組檔案存放的完整路徑:<br />﹝如:/files、E:\FILES﹞
enter the full path to the backup directory.<br />if empty: files directory setup zh-tw 輸入備份檔案存放的完整路徑:<br />如果空白會使用存放一般檔案的資料夾
enter the hostname of the machine on which this server is running setup zh-tw 輸入這個伺服器主機的主機名稱
enter the location of egroupware's url.<br />example: http://www.domain.com/egroupware &nbsp; or &nbsp; /egroupware<br /><b>no trailing slash</b> setup zh-tw 輸入 eGroupWare 的網頁位址 URL<br />如http://www.domain.com/egroupware 或 /egroupware<br /><b>結尾無斜線</b>
enter the site password for peer servers setup zh-tw 輸入對接伺服器的主機密碼
enter the site username for peer servers setup zh-tw 輸入對接伺服器的主機名稱
enter the title for your site setup zh-tw 輸入網站標題
enter your default ftp server setup zh-tw 輸入預設的檔案傳輸伺服器主機名稱
enter your http proxy server setup zh-tw 輸入網頁代理伺服器主機名稱
enter your http proxy server password setup zh-tw 輸入網頁代理伺服器主機使用者密碼
enter your http proxy server port setup zh-tw 輸入網頁代理伺服器主機埠
enter your http proxy server username setup zh-tw 輸入網頁代理伺服器主機使用者帳號
error in admin-creation !!! setup zh-tw 建立管理者時發生錯誤!
error in group-creation !!! setup zh-tw 建立群組時發生錯誤!
export egroupware accounts from sql to ldap setup zh-tw 從SQL 輸出eGroupWare帳號到LDAP
export has been completed! you will need to set the user passwords manually. setup zh-tw 匯出完成!您將需要手動設定使用者密碼。
export sql users to ldap setup zh-tw 將 SQL 使用者資料匯出至 LDAP
false setup zh-tw 錯誤
file setup zh-tw 檔案
file type, size, version, etc. setup zh-tw 檔案格式、大小、版本等。
file uploads are switched off: you can not use any of the filemanagers, nor can you attach files in several applications! setup zh-tw 檔案上傳功能關閉中: 您無法使用任何檔案管理程式,也無法在各個模組中附加檔案!
filename setup zh-tw 檔案名稱
for a new install, select import. to convert existing sql accounts to ldap, select export setup zh-tw 第一次安裝請選擇「匯入」;要轉換現存於 SQL 中的帳號資料到 LDAP請選擇「匯出」
force selectbox setup zh-tw 強制使用選取方塊
found existing configuration file. loading settings from the file... setup zh-tw 找到已經存在的設定檔案,讀取設定中...
go back setup zh-tw 回到上一頁
go to setup zh-tw 前往
grant access setup zh-tw 授與存取權
has a version mismatch setup zh-tw 版本不符
header admin login setup zh-tw 頁首管理員登入
header password setup zh-tw 密碼
header username setup zh-tw 帳號
historylog removed setup zh-tw 歷史紀錄刪除了
hooks deregistered setup zh-tw 取消附掛註冊
hooks registered setup zh-tw 附掛註冊
host information setup zh-tw 主機資訊
host/ip domain controler setup zh-tw 主機/IP網域控制器
hostname/ip of database server setup zh-tw 資料庫伺服器的主機名稱/IP
hour (0-24) setup zh-tw 時(0-24)
however, the application is otherwise installed setup zh-tw 但是此應用程式已安裝過
however, the application may still work setup zh-tw 不過這個應用程式也許仍然能夠運作
if no acl records for user or any group the user is a member of setup zh-tw 如果使用者沒有任何權限設定或是不屬於任何群組,則將該使用者的群組視為
if safe_mode is turned on, egw is not able to change certain settings on runtime, nor can we load any not yet loaded module. setup zh-tw 如果您是在安全模式eGroupWare無法改變這樣的設定或是執行程式或是讀取還未載入的模組。
if the application has no defined tables, selecting upgrade should remedy the problem setup zh-tw 如果應用程式沒有任何定義好的資料表,可使用「升級」功能修正此問題。
if using ads (active directory) authentication setup zh-tw 如果使用ADS(Active Directory)認證
if using ldap setup zh-tw 如果使用LDAP
if using ldap, do you want to manage homedirectory and loginshell attributes? setup zh-tw 如果您使用 LDAP您希望能管理使用者的家目錄及登入環境變數嗎
if you did not receive any errors, your applications have been setup zh-tw 如果您沒有看到任何錯誤訊息,您的應用程式已經
if you did not receive any errors, your tables have been setup zh-tw 如果您沒有看到任何錯誤訊息,您的資料表已經
if you running this the first time, don't forget to manualy %1 !!! setup zh-tw 如果您第一次執行,別忘了手動 %1 !!!
if you use only languages of the same charset (eg. western european ones) you dont need to set a system-charset! setup zh-tw 如果您使用的語言都是同樣的編碼(例如:西歐),您不需要設定系統編碼!
image type selection order setup zh-tw 圖片格式選取順序
import accounts from ldap to the egroupware accounts table (for a new install using sql accounts) setup zh-tw 從LDAP匯入使用者帳號(如果是全新安裝且使用SQL資料庫)
import has been completed! setup zh-tw 匯入成功!
import ldap users/groups setup zh-tw 匯入 LDAP 使用者/群組
importing old settings into the new format.... setup zh-tw 匯入舊的設定值到新的格式中...
include root (this should be the same as server root unless you know what you are doing) setup zh-tw Include 根目錄(這個一般與伺服器根目錄一樣,除非您清楚這個設定會造成的結果再做適當的修改)
include_path need to contain "." - the current directory setup zh-tw include_path 必須包含"." - 目前的資料夾
install setup zh-tw 安裝
install all setup zh-tw 全部安裝
install applications setup zh-tw 安裝應用程式
install backup setup zh-tw 安裝備份
install language setup zh-tw 安裝語言
installed setup zh-tw 安裝
instructions for creating the database in %1: setup zh-tw 在 %1 的安裝資料庫指示:
invalid ip address setup zh-tw 錯誤的IP位址
invalid mcrypt algorithm/mode combination setup zh-tw 錯誤的 Mcrypt 演算法/模式組合
invalid password setup zh-tw 錯誤的密碼
is broken setup zh-tw 損壞
is disabled setup zh-tw 被停用
is in the webservers docroot setup zh-tw 在網頁伺服器根目錄中
is not writeable by the webserver setup zh-tw 網頁伺服器無法寫入
ldap account import/export setup zh-tw LDAP 使用者帳號匯入/匯出
ldap accounts configuration setup zh-tw LDAP 帳號設定
ldap accounts context setup zh-tw LDAP 使用者帳號內容
ldap config setup zh-tw LDAP 設定
ldap default homedirectory prefix (e.g. /home for /home/username) setup zh-tw LDAP 預設家目錄前置目錄﹝如:/home/username 的前置目錄為 /home﹞
ldap default shell (e.g. /bin/bash) setup zh-tw LDAP 預設登入命令處理器﹝如:/bin/bash﹞
ldap encryption type setup zh-tw LDAP 加密類型
ldap export setup zh-tw LDAP匯出
ldap export users setup zh-tw LDAP 匯出使用者
ldap groups context setup zh-tw LDAP 群組內容
ldap host setup zh-tw LDAP 主機
ldap import setup zh-tw LDAP匯入
ldap import users setup zh-tw LDAP 匯入使用者
ldap modify setup zh-tw LDAP 修改
ldap root password setup zh-tw LDAP 管理者密碼
ldap rootdn setup zh-tw LDAP 主要端點﹝rootdn﹞
ldap search filter for accounts, default: "(uid=%user)", %domain=egw-domain setup zh-tw LDAP帳號搜尋規則預設"(uid=%user)", %domain=eGW-domain
limit access to setup to the following addresses, networks or hostnames (e.g. 127.0.0.1,10.1.1,myhost.dnydns.org) setup zh-tw 限制下面位址、網域或是主機存取安裝設定(例如127.0.0.1,10.1.1,myhost.dnydns.org)
login as user postgres, eg. by using su as root setup zh-tw 登入為使用者 postgres ,就像是透過 su 來切換成 root
login to mysql - setup zh-tw 登入到MYSQL -
logout setup zh-tw 登出
mail domain (for virtual mail manager) setup zh-tw 郵件網域(虛擬郵件管理程式使用)
mail server login type setup zh-tw 郵件伺服器登入類型
mail server protocol setup zh-tw 郵件伺服器協定
make sure that your database is created and the account permissions are set setup zh-tw 確認您的資料庫已經安裝完成、使用者帳號權限設定完成
manage applications setup zh-tw 管理應用程式
manage languages setup zh-tw 管理語言
max_execution_time is set to less than 30 (seconds): egroupware sometimes needs a higher execution_time, expect occasional failures setup zh-tw max_execution_time(最大可執行時間)被設定為小於30(秒)eGroupWare有時候需要更多的執行時間特別是無法預期的錯誤
maximum account id (e.g. 65535 or 1000000) setup zh-tw 使用者帳號編碼最大值﹝如65535 或 1000000﹞
may be broken setup zh-tw 或許毀損
mcrypt algorithm (default tripledes) setup zh-tw Mcrypt 演算法 (預設為 TRIPLEDES)
mcrypt initialization vector setup zh-tw MCrypt 組態依據
mcrypt mode (default cbc) setup zh-tw Mcrypt 模式 (預設為 CBC)
mcrypt settings (requires mcrypt php extension) setup zh-tw Mcrypt 設定 (需要 mcrypt 的PHP 擴充)
mcrypt version setup zh-tw MCrypt 版本
memory_limit is set to less than 16m: some applications of egroupware need more than the recommend 8m, expect occasional failures setup zh-tw memory_limit(最大可存取記憶體)設定小於16MeGroupWare有部份應用程式會使用超過預設值8M的記憶體存取特別是無法預期的錯誤
minimum account id (e.g. 500 or 100, etc.) setup zh-tw 使用者帳號編碼最小值﹝如500 或 100﹞
minute setup zh-tw 分
missing or uncomplete mailserver configuration setup zh-tw 缺少或未完成郵件伺服器設定
modifications have been completed! setup zh-tw 修改已經完成!
modify setup zh-tw 修改
modify an existing ldap account store for use with egroupware (for a new install using ldap accounts) setup zh-tw 修改一個已經存在的LDAP帳號讓eGroupWare使用(全新安裝且使用LDAP帳號)
month setup zh-tw 月
multi-language support setup setup zh-tw 多國語言設定
name of database setup zh-tw 資料庫名稱
name of db user egroupware uses to connect setup zh-tw eGroupWare用來與資料庫連結的帳號
never setup zh-tw 從未
new setup zh-tw 新
next run setup zh-tw 下次執行
no setup zh-tw 否
no %1 support found. disabling setup zh-tw 系統不支援 %1 ,停用中
no accounts existing setup zh-tw 沒有任何帳號
no algorithms available setup zh-tw 沒有任何可以使用的演算法
no modes available setup zh-tw 沒有可用的模式
no xml support found. disabling setup zh-tw 沒有支援XML關閉中。
not setup zh-tw 非
not all mcrypt algorithms and modes work with egroupware. if you experience problems try switching it off. setup zh-tw eGroupWare並不一定能夠與所有版本或模式的mcrypt運作如果您發現類似設定造成的錯誤請將它關閉。
not complete setup zh-tw 尚未完成
not completed setup zh-tw 尚未完成
not ready for this stage yet setup zh-tw 先前的步驟尚未執行。
not set setup zh-tw 未設定
note: you will be able to customize this later setup zh-tw 備註:稍後您還可以做更動。
now guessing better values for defaults... setup zh-tw 猜一個更好的數值來提供預設設定...
odbc / maxdb: dsn (data source name) to use setup zh-tw ODBC / MaxDB要使用的 DSN (資料來源名稱)
ok setup zh-tw 正常
once the database is setup correctly setup zh-tw 資料庫設定正確
one month setup zh-tw 一個月
one week setup zh-tw 一星期
only add languages that are not in the database already setup zh-tw 只新增未在資料庫中的語言
only add new phrases setup zh-tw 只加入新的詞句
or setup zh-tw 或
or %1continue to the header admin%2 setup zh-tw 或是%1繼續頁首管理%2
or http://webdav.domain.com (webdav) setup zh-tw 或是http://webdav.domain.com (WebDAV)
or we can attempt to create the database for you: setup zh-tw 或者我們能夠為您嘗試去建立資料庫:
or you can install a previous backup. setup zh-tw 或是您可以安裝上一個備份的版本
password for smtp-authentication setup zh-tw SMTP驗證的密碼
password needed for configuration setup zh-tw 需要密碼才能夠執行組態設定
password of db user setup zh-tw 資料庫帳號的密碼
passwords did not match, please re-enter setup zh-tw 密碼不符,請重新輸入
path information setup zh-tw 路徑資訊
path to user and group files has to be outside of the webservers document-root!!! setup zh-tw 使用者與群組的檔案路徑必須在網站伺服器的網頁根目錄以外!
pear is needed by syncml or the ical import+export of calendar. setup zh-tw SyncML 或是行事曆的 iCal 匯入、匯出功能都需要 PEAR
pear::log is needed by syncml. setup zh-tw SyncML需要PEAR::Log
persistent connections setup zh-tw 持續連線
php plus restore setup zh-tw PHP 加強儲存
php plus restore gives by far the best performance, as it stores the egw enviroment completly in the session. setup zh-tw PHP 加強儲存提供較佳的執行效能,因為它將 eGW 環境資訊完整儲存在連線資料中。
please check for sql scripts within the application's directory setup zh-tw 請檢查應用程式目錄下的 SQL 命令檔
please check read/write permissions on directories, or back up and use another option. setup zh-tw 請檢查資料夾讀取/寫入的權限或是備份後使用其他選項。
please configure egroupware for your environment setup zh-tw 請為您現在的環境設定 eGroupWare 的相關組態
please consult the %1. setup zh-tw 請查閱%1。
please fix the above errors (%1) and warnings(%2) setup zh-tw 請修正上面的錯誤(%1) 與警告(%2)
please install setup zh-tw 請安裝
please login setup zh-tw 請登入
please login to egroupware and run the admin application for additional site configuration setup zh-tw 請登入 eGroupWare 並執行管理者應用程式設定其餘的組態設定
please make the following change in your php.ini setup zh-tw 請將您的php.ini做下面的修正
please wait... setup zh-tw 請等待...
pop/imap mail server hostname or ip address setup zh-tw POP/IMAP郵件伺服器主機名稱或是IP位址
possible reasons setup zh-tw 可能的原因
possible solutions setup zh-tw 可能的解決方法
post-install dependency failure setup zh-tw 安裝依存關係錯誤
postgres: leave it empty to use the prefered unix domain sockets instead of a tcp/ip connection setup zh-tw Postgres:空白表示使用自訂的 unix 網域介面來取代 tcp/ip 連線
potential problem setup zh-tw 可能的問題
preferences setup zh-tw 喜好設定
problem resolution setup zh-tw 問題處理
process setup zh-tw 處理程序
re-check my database setup zh-tw 再次確認資料庫
re-check my installation setup zh-tw 再次確認軟體安裝
re-enter password setup zh-tw 重新輸入密碼
read translations from setup zh-tw 讀取翻譯資料
readable by the webserver setup zh-tw 網頁伺服器可讀取
really uninstall all applications setup zh-tw 確定要移除所有的應用程式
recommended: filesystem setup zh-tw 建議:檔案系統
register_globals is turned on, egroupware does not require it and it's generaly more secure to have it turned off setup zh-tw register_globals開啟中eGroupWare不需要這個設定而且關閉它通常會比較安全
registered setup zh-tw 註冊
rejected lines setup zh-tw 拒絕的行數
remove setup zh-tw 移除
remove all setup zh-tw 全部移除
rename setup zh-tw 改名
requires reinstall or manual repair setup zh-tw 需要重新安裝或是手動修復
requires upgrade setup zh-tw 需要升級
resolve setup zh-tw 處理
restore setup zh-tw 還原
restore failed setup zh-tw 還原失敗
restore finished setup zh-tw 還原成功
restore started, this might take a few minutes ... setup zh-tw 還原進行中,請稍候...
restoring a backup will delete/replace all content in your database. are you sure? setup zh-tw 還原備份資料將會刪除/置換目前資料庫中的所有內容,您確定?
return to setup setup zh-tw 回到安裝程式
run installation tests setup zh-tw 執行安裝測試
safe_mode is turned on, which is generaly a good thing as it makes your install more secure. setup zh-tw 安全模式啟用中,這樣一來您的安裝過程通常會比較安全。
sample configuration not found. using built in defaults setup zh-tw 找不到範例設定檔案,系統需要它用來設定預設值
save setup zh-tw 儲存
save this text as contents of your header.inc.php setup zh-tw 儲存這些資料成為您的header.inc.php內容
schedule setup zh-tw 排程
scheduled backups setup zh-tw 備份排程
select an app, enter a target version, then submit to process to that version.<br />if you do not enter a version, only the baseline tables will be installed for the app.<br /><blink>this will drop all of the apps' tables first!</blink> setup zh-tw 選擇一個應用筒l設定應用程式到這個版本。<br />若您沒有輸入版本編號,系統只會安裝這個應用程式的基本系統資料表。<br /><blink>這個動作將不會移除任何應用程式的資料表!</blink>
select one... setup zh-tw 選擇一個...
select the default applications to which your users will have access setup zh-tw 選擇您的使用者預設使用的應用程式
select the desired action(s) from the available choices setup zh-tw 在現有的選項中選擇所需的動作
select to download file setup zh-tw 選擇下載檔案
select where you want to store/retrieve file contents setup zh-tw 選擇您希望儲存與取得檔案內容的地方
select where you want to store/retrieve filesystem information setup zh-tw 選擇您欲儲存/取得的檔案系統資訊
select where you want to store/retrieve user accounts setup zh-tw 選擇您欲儲存/取得使用者帳號的方式
select which group(s) will be exported (group membership will be maintained) setup zh-tw 選擇您欲匯出的群組﹝群組使用者將不會做任何更動﹞
select which group(s) will be imported (group membership will be maintained) setup zh-tw 選擇您欲匯入的群組﹝群組使用者將不會做任何更動﹞
select which group(s) will be modified (group membership will be maintained) setup zh-tw 選擇您想要修改的群組﹝群組使用者將不會做任何更動﹞
select which languages you would like to use setup zh-tw 選擇您欲使用的語言
select which method of upgrade you would like to do setup zh-tw 選擇您欲使用的升級方式
select which type of authentication you are using setup zh-tw 選擇您正在使用的認證方式
select which user(s) will also have admin privileges setup zh-tw 選擇一樣擁有管理者權限的使用者
select which user(s) will be exported setup zh-tw 選擇您欲匯出的使用者
select which user(s) will be imported setup zh-tw 選擇您欲匯入的使用者
select which user(s) will be modified setup zh-tw 選擇您欲修改的使用者
select which user(s) will have admin privileges setup zh-tw 選擇擁有管理者權限的使用者
select your old version setup zh-tw 選擇舊的版本
selectbox setup zh-tw 勾選方塊
server root setup zh-tw 根目錄
sessions type setup zh-tw 連線類型
set setup zh-tw 設定
set this to "old" for versions &lt; 2.4, otherwise the exact mcrypt version you use. setup zh-tw 如果版本是 < 2.4就設定為"old",其他情形請設定為您目前使用的版本
setting the system-charset to utf-8 (unicode) allows the coexistens of data from languages of different charsets. setup zh-tw 設定系統編碼為UTF-8 (萬國編碼)時可以同時在畫面中顯示多種不同的語言編碼
settings setup zh-tw 設定
setup setup zh-tw 安裝
setup demo accounts in ldap setup zh-tw 在LDAP安裝展示用的帳號
setup main menu setup zh-tw 安裝主要選單
setup the database setup zh-tw 安裝資料庫
setup/config admin login setup zh-tw 安裝/設定管理員登入
show 'powered by' logo on setup zh-tw 顯示「powered by」圖示位置
size setup zh-tw 大小
smtp server hostname or ip address setup zh-tw SMTP伺服器主機名稱或IP位址
smtp server port setup zh-tw SMTP伺服器連接埠
some or all of its tables are missing setup zh-tw 遺失部份或所有的資料表
sql encryption type setup zh-tw SQL 密碼加密的方式(預設為md5)
standard (login-name identical to egroupware user-name) setup zh-tw 標準(登入名稱與 eGroupWare 使用者名稱一致)
standard mailserver settings (used for mail authentication too) setup zh-tw 標準郵件伺服器設定(也用在郵件認證)
start the postmaster setup zh-tw 開始postmaster
status setup zh-tw 狀態
step %1 - admin account setup zh-tw 步驟%1 - 管理者帳號
step %1 - advanced application management setup zh-tw 步驟%1 - 進階應用程式管理
step %1 - configuration setup zh-tw 步驟%1 - 設定
step %1 - db backup and restore setup zh-tw 步驟%1 - 資料庫備份與還原
step %1 - language management setup zh-tw 步驟%1 - 語言管理
step %1 - simple application management setup zh-tw 步驟%1 - 簡單的應用程式管理
succesfully uploaded file %1 setup zh-tw 成功上傳檔案 %1
table change messages setup zh-tw 資料表更動訊息
tables dropped setup zh-tw 資料表已移除
tables installed, unless there are errors printed above setup zh-tw 資料表已安裝,若有錯誤則顯示訊息於上
tables upgraded setup zh-tw 資料表已升級
target version setup zh-tw 目標版本
tcp port number of database server setup zh-tw 資料庫伺服器的TCP連接埠號碼
text entry setup zh-tw 文字記錄
the %1 extension is needed, if you plan to use a %2 database. setup zh-tw 如果您希望使用%2資料庫您需要外掛%1。
the db_type in defaults (%1) is not supported on this server. using first supported type. setup zh-tw 這個伺服器不支援預設的資料庫(%1),使用第一個使用的種類。
the file setup zh-tw 檔案
the first step in installing egroupware is to ensure your environment has the necessary settings to correctly run the application. setup zh-tw 安裝eGroupWare的第一步是確定您的安裝環境是否需要進一步設定來執行應用程式
the following applications need to be upgraded: setup zh-tw 下面這些應用程式需要升級:
the imap extension is needed by the two email apps (even if you use email with pop3 as protocoll). setup zh-tw 兩個電子郵件的應用程式需要imap外掛(即使您只有使用POP3的郵件協定)。
the mbstring extension is needed to fully support unicode (utf-8) or other multibyte-charsets. setup zh-tw 如果您希望系統完全支援多國語言編碼(utf-8)您會需要mbstring外掛
the mbstring.func_overload = 7 is needed to fully support unicode (utf-8) or other multibyte-charsets. setup zh-tw 要完全支援萬國字元(UTF-8)或是其他雙位元組編碼您必須設定mbstring.func_overload = 7
the session extension is needed to use php sessions (db-sessions work without). setup zh-tw 要使用php session就必須安裝session外掛透過資料庫儲存則不用
the table definition was correct, and the tables were installed setup zh-tw 資料表定義正確且資料表已正確安裝
the tables setup zh-tw 資料表
there was a problem trying to connect to your ldap server. <br /> setup zh-tw 嘗試連接您的LDAP伺服器時發生錯誤。<br />
there was a problem trying to connect to your ldap server. <br />please check your ldap server configuration setup zh-tw 嘗試連接您的LDAP伺服器時發生錯誤。<br />請檢查您的設定
this has to be outside the webservers document-root!!! setup zh-tw 這個設定必須在網站伺服器的網頁根目錄以外!
this might take a while, please wait ... setup zh-tw 這也許需要一點時間,請耐心等候...
this program lets you backup your database, schedule a backup or restore it. setup zh-tw 這個程式能夠讓您備份、排程備份或是還原資料庫。
this program will convert your database to a new system-charset. setup zh-tw 這個程式將會轉換資料庫成新的系統字元
this program will help you upgrade or install different languages for egroupware setup zh-tw 這個程式將協助您升級或安裝 eGroupWare 內不同的語言
this section will help you export users and groups from egroupware's account tables into your ldap tree setup zh-tw 這個部份將協助您從 eGroupWare 的資料表匯出使用者及群組設定到 LDAP 主機中
this section will help you import users and groups from your ldap tree into egroupware's account tables setup zh-tw 這個部份將協助您從 eGroupWare 的資料表匯入使用者及群組設定到 LDAP 主機中
this section will help you setup your ldap accounts for use with egroupware setup zh-tw 這個部份將會協助您安裝您在eGroupWare中使用的LDAP帳號
this should be around 30 bytes in length.<br />note: the default has been randomly generated. setup zh-tw 這個長度必須大約在30位元組左右。<br />注意:預設值已經隨機產生了。
this stage is completed<br /> setup zh-tw 這個步驟已經完成<br />
to a version it does not know about setup zh-tw 未知的版本
to allow password authentification add the following line to your pg_hba.conf (above all others) and restart postgres: setup zh-tw 要允許密碼驗證,請新增下面幾行到 pg_hba.conf (在檔案的最上方)並且重新啟動 postgres
to change the charset: back up your database, deinstall all applications and re-install the backup with "convert backup to charset selected" checked. setup zh-tw 修改字元編碼:先備份您的資料庫、移除所有應用程式並且重新安裝備份時勾選"轉換備份資料到選擇的字元編碼"項目。
to setup 1 admin account and 3 demo accounts. setup zh-tw 設定一個管理員帳號與三個測試帳號
top setup zh-tw 頂部
translations added setup zh-tw 語系新增了
translations removed setup zh-tw 語系移除了
translations upgraded setup zh-tw 語系更新了
true setup zh-tw 是
try to configure your php to support one of the above mentioned dbms, or install egroupware by hand. setup zh-tw 請嘗試組態您的PHP來支援上面提到的資料庫管理系統或是請您手動安裝eGroupWare。
two weeks setup zh-tw 兩星期
unfortunally some php/apache packages have problems with it (apache dies and you cant login anymore). setup zh-tw 部份 PHP/Apache 軟體執行時發生問題Apache終止了因此您無法再登入
uninstall setup zh-tw 移除
uninstall all applications setup zh-tw 移除所有應用程式
uninstalled setup zh-tw 已經移除
upgrade setup zh-tw 升級
upgrade all setup zh-tw 全部升級
upgraded setup zh-tw 已經升級
upgrading tables setup zh-tw 正在升級資料表內容
upload backup setup zh-tw 上傳備份資料
uploads a backup and installs it on your db setup zh-tw 上傳並且安裝備份資料到您的資料庫
uploads a backup to the backup-dir, from where you can restore it setup zh-tw 上傳一個備份資料到備份資料夾中,您可以從那裡將它還原
use cookies to pass sessionid setup zh-tw 使用 COOKIE 傳遞連線代碼
use pure html compliant code (not fully working yet) setup zh-tw 使用標準 HTML 原始碼(尚未完全支援)
user account prefix setup zh-tw 使用者帳號前置字元
user for smtp-authentication (leave it empty if no auth required) setup zh-tw SMTP驗證的帳號如果不需要就保持空白
usernames are casesensitive setup zh-tw 使用者帳號有大小寫之分
users choice setup zh-tw 使用者的選擇
utf-8 (unicode) setup zh-tw utf-8 (多國語言編碼)
version setup zh-tw 版本
version mismatch setup zh-tw 版本不符
view setup zh-tw 瀏覽
virtual mail manager (login-name includes domain) setup zh-tw 虛擬郵件管理員(登入名稱包含網域)
warning! setup zh-tw 警告!
we can proceed setup zh-tw 我們可以處理
we will automatically update your tables/records to %1 setup zh-tw 我們將自動幫您更新您的資料表及資料到 %1
we will now run a series of tests, which may take a few minutes. click the link below to proceed. setup zh-tw 接下來我們會執行一系列的測試,這將會需要一點時間。點選下面的連結繼續。
welcome to the egroupware installation setup zh-tw 歡迎使用eGroupWare
what type of sessions management do you want to use (php session management may perform better)? setup zh-tw 希望使用的連線sessions管理方式透過PHP session會有較好的效能
which database type do you want to use with egroupware? setup zh-tw 您希望eGroupWare安裝在哪一種資料庫
world readable setup zh-tw 所有人可讀取
world writable setup zh-tw 所有人可寫入
would you like egroupware to cache the phpgw info array ? setup zh-tw 您希望 eGroupWare 將系統資訊存到存取緩衝區內嗎?
would you like egroupware to check for a new version<br />when admins login ? setup zh-tw 您希望 eGroupWare 自動於管理者登入時檢查是否有最新版本?
would you like to show each application's upgrade status ? setup zh-tw 您希望顯示每一個應用程式升級的資訊嗎?
writable by the webserver setup zh-tw 網頁伺服器可以寫入
write config setup zh-tw 寫入設定
year setup zh-tw 年
yes setup zh-tw 是
yes, with lowercase usernames setup zh-tw 是,使用英文小寫的帳號
you appear to be running a pre-beta version of egroupware.<br />these versions are no longer supported, and there is no upgrade path for them in setup.<br /> you may wish to first upgrade to 0.9.10 (the last version to support pre-beta upgrades) <br />and then upgrade from there with the current version. setup zh-tw 您目前安裝的為測試版本的 eGroupWare。<br />目前已經不再支援這個版本,建議您先升級到 0.9.10 版﹝最後一個測試版本﹞ <br />再升級到現在的版本。
you appear to be running an old version of php <br />it its recommend that you upgrade to a new version. <br />older version of php might not run egroupware correctly, if at all. <br /><br />please upgrade to at least version %1 setup zh-tw 您似乎正在執行較舊版本的PHP<br />建議您將它更新到較新的版本。<br />較舊的PHP版本也許無法正確執行eGroupWare。<br /><br />請將版本至少更新到%1
you appear to be running version %1 of egroupware setup zh-tw 您目前所使用的 eGroupWare 版本為 %1
you appear to be using php earlier than 4.1.0. egroupware now requires 4.1.0 or later setup zh-tw 您似乎正在使用比PHP4.1.0更舊的版本eGroupWare現在要求4.1.0或更新的版本
you appear to have %1 support. setup zh-tw 您的系統支援 %1 。
you appear to have php session support. enabling php sessions. setup zh-tw 您的系統支援 PHP session PHP sessions功能啟用中。
you appear to have xml support enabled setup zh-tw 您的系統支援XML
you are ready for this stage, but this stage is not yet written.<br /> setup zh-tw 您已經準備好要使用這個步驟,但這個步驟尚未開發完成。<br />
you didn't enter a config password for domain %1 setup zh-tw 您並未輸入%1的組態密碼
you didn't enter a config username for domain %1 setup zh-tw 您並未輸入
you didn't enter a header admin password setup zh-tw 您並未輸入頁首管理員密碼
you didn't enter a header admin username setup zh-tw 您並未輸入頁首管理員帳號
you do not have any languages installed. please install one now <br /> setup zh-tw 您目前沒有安裝任何的語言,請安裝至少一種語言。<br />
you have not created your header.inc.php yet!<br /> you can create it now. setup zh-tw 您尚未建立您的header.inc.php<br />您可以現在建立。
you have successfully logged out setup zh-tw 您已經成功登出了
you must enter a username for the admin setup zh-tw 您必須輸入管理者的帳號名稱
you need to add some domains to your header.inc.php. setup zh-tw 您必須在header.inc.php新增一些網域的設定
you need to select your current charset! setup zh-tw 您必須選擇目前的字元編碼
you should either uninstall and then reinstall it, or attempt manual repairs setup zh-tw 您應該要移除並重新安裝應用程式或試著手動安裝
you will need to load the proper schema into your ldap server - see phpgwapi/doc/ldap/readme setup zh-tw 您將會需要讀取適當的 schema 到您的 ldap 伺服器,請見<a href="../phpgwapi/doc/ldap/README" target="_blank">phpgwapi/doc/ldap/README</a>的說明
you're using an old configuration file format... setup zh-tw 您正在使用舊版的設定檔案...
you're using an old header.inc.php version... setup zh-tw 您正在使用舊版的header.inc.php...
your applications are current setup zh-tw 您的應用程式目前狀態
your backup directory '%1' %2 setup zh-tw 您的備份資料夾 '%1' %2
your database does not exist setup zh-tw 找不到您的資料庫系統。
your database is not working! setup zh-tw 您的資料庫無法操作!
your database is working, but you dont have any applications installed setup zh-tw 您的資料庫正常運作中,但沒有安裝任何應用程式。
your egroupware api is current setup zh-tw 您的 eGroupWare 應用介面是最新版本
your files directory '%1' %2 setup zh-tw 您的檔案資料夾 '%1' %2
your header admin password is not set. please set it now! setup zh-tw 您沒有設定標頭(header)管理密碼,請現在設定!
your header.inc.php needs upgrading. setup zh-tw 您的header.inc.php需要更新。
your header.inc.php needs upgrading.<br /><blink><b class="msg">warning!</b></blink><br /><b>make backups!</b> setup zh-tw 您的header.inc.php需要更新。<br /><blink><b class="msg">警告!</b></blink><br /><b>記得先做備份!</b>
your php installation does not have appropriate gd support. you need gd library version 1.8 or newer to see gantt charts in projects. setup zh-tw 您的PHP不支援GD您需要安裝1.8或是更新的版本才能夠在專案管理中順利瀏覽甘特圖
your tables are current setup zh-tw 您的資料表目前狀態
your tables will be dropped and you will lose data setup zh-tw 您的資料表將會被完全移除,您也將會遺失所有的資料。
your temporary directory '%1' %2 setup zh-tw 您的暫存資料夾 '%1' %2