[Date Prev][Date Next] [Thread Prev][Thread Next] [Date Index] [Thread Index]

Bug#373096: marked as done (diff for 4.5.8-1.1 NMU)



Your message dated Mon, 14 Aug 2006 08:35:16 +0200
with message-id <871wrjn7tn.fsf@debian.org>
and subject line Bug#373096: fixed in drupal 4.5.8-2
has caused the attached Bug report to be marked as done.

This means that you claim that the problem has been dealt with.
If this is not the case it is now your responsibility to reopen the
Bug report if necessary, and/or fix the problem forthwith.

(NB: If you are a system administrator and have no idea what I am
talking about this indicates a serious mail system misconfiguration
somewhere.  Please contact me immediately.)

Debian bug tracking system administrator
(administrator, Debian Bugs database)

--- Begin Message ---
Package: drupal
Version: 4.5.8-1
Severity: normal
Tags: patch

Hi,

Attached is the diff for my drupal 4.5.8-1.1 NMU.
diff -u drupal-4.5.8/debian/changelog drupal-4.5.8/debian/changelog
--- drupal-4.5.8/debian/changelog
+++ drupal-4.5.8/debian/changelog
@@ -1,3 +1,14 @@
+drupal (4.5.8-1.1) unstable; urgency=high
+
+  * Non-maintainer upload.
+  * Backport changes from 4.6.6 -> 4.6.8 to fix security issues:
+    - DRUPAL-SA-2006-005/CVE-2006-2742: fixes critical SQL issue
+    - DRUPAL-SA-2006-006/CVE-2006-2743: fixes critical upload issue
+    - DRUPAL-SA-2006-007/CVE-2006-2832: fixes critical upload issue (Closes: #368835)
+    - DRUPAL-SA-2006-008/CVE-2006-2833: fixes taxonomy XSS issue
+
+ -- Steinar H. Gunderson <sesse@debian.org>  Mon, 12 Jun 2006 20:07:22 +0200
+
 drupal (4.5.8-1) unstable; urgency=high
 
   * New upstream release
only in patch2:
unchanged:
--- drupal-4.5.8.orig/INSTALL.txt
+++ drupal-4.5.8/INSTALL.txt
@@ -127,6 +127,18 @@
 
 5. CONFIGURE DRUPAL
 
+   SECURITY NOTICE: Certain Apache configurations can be vulnerable
+   to a security exploit allowing arbitrary code execution. Drupal
+   will attempt to automatically create a .htaccess file in your
+   "files" directory to protect you. If you already have a .htaccess
+   file in that location, please add the following lines:
+
+   SetHandler Drupal_Security_Do_Not_Remove_See_SA_2006_006
+   Options None
+   <IfModule mod_rewrite.c>
+     RewriteEngine off
+   </IfModule>
+
    You can now launch your browser and point it to your Drupal site.
 
    Create an account and login.  The first account will automatically
only in patch2:
unchanged:
--- drupal-4.5.8.orig/includes/database.pgsql.inc
+++ drupal-4.5.8/includes/database.pgsql.inc
@@ -252,7 +252,7 @@
     $query = func_get_arg(0);
     $query = db_prefix_tables($query);
   }
-  $query .= ' LIMIT '. $count .' OFFSET '. $from;
+  $query .= ' LIMIT '. (int)$count .' OFFSET '. $from;
   return _db_query($query);
 }
 
only in patch2:
unchanged:
--- drupal-4.5.8.orig/includes/file.inc
+++ drupal-4.5.8/includes/file.inc
@@ -96,6 +96,19 @@
     }
   }
 
+  if ((variable_get('file_directory_temp', FILE_DIRECTORY_TEMP) == $directory || variable_get('file_directory_path', 'files') == $directory) && !is_file("$directory/.htaccess")) {
+    $htaccess_lines = "SetHandler Drupal_Security_Do_Not_Remove_See_SA_2006_006\nOptions None\n<IfModule mod_rewrite.c>\n  RewriteEngine off\n</IfModule>";
+    if (($fp = fopen("$directory/.htaccess", 'w')) && fputs($fp, $htaccess_lines)) {
+      fclose($fp);
+    }
+    else {
+      $message = t("Security warning: Couldn't write .htaccess file. Please create a .htaccess file in your %directory directory which contains the following lines: <code>%htaccess</code>", array('%directory' => theme('placeholder', $directory), '%htaccess' => '<br />'. str_replace("\n", '<br />', check_plain($htaccess_lines))));
+      form_set_error($form_item, $message);
+      watchdog('security', $message, WATCHDOG_ERROR);
+    }
+  }
+
+
   return true;
 }
 
@@ -135,16 +148,8 @@
     $file = new stdClass();
     $file->filename = trim(basename($_FILES["edit"]["name"][$source]), '.');
     $file->filepath = $_FILES["edit"]["tmp_name"][$source];
+    $file->filemime = $_FILES["edit"]["type"][$source];
 
-    if (function_exists('mime_content_type')) {
-      $file->filemime = mime_content_type($file->filepath);
-      if ($file->filemime != $_FILES["edit"]["type"][$source]) {
-        watchdog('file', t('For %file the system thinks its MIME type is %detected while the user has given %given for MIME type', array('%file' => theme('placeholder', $file->filepath), '%detected' => theme('placeholder', $file->filemime), '%given' => theme('placeholder', $_FILES['edit']['type'][$source]))));
-      }
-    }
-    else {
-      $file->filemime = $_FILES["edit"]["type"][$source];
-    }
     if (((substr($file->filemime, 0, 5) == 'text/' || strpos($file->filemime, 'javascript')) && (substr($file->filename, -4) != '.txt')) || preg_match('/\.(php|pl|py|cgi|asp)$/i', $file->filename)) {
       $file->filemime = 'text/plain';
       rename($file->filepath, $file->filepath .'.txt');
only in patch2:
unchanged:
--- drupal-4.5.8.orig/includes/menu.inc
+++ drupal-4.5.8/includes/menu.inc
@@ -791,7 +791,10 @@
     $path = substr($path, 0, strrpos($path, '/'));
   }
   if (empty($path)) {
-    return FALSE;
+    // Items without any access attribute up the chain are denied, unless they
+    // were created by the admin. They most likely point to non-Drupal directories
+    // or to an external URL and should be allowed.
+    return $menu['items'][$mid]['type'] & MENU_CREATED_BY_ADMIN;
   }
   return $menu['items'][$menu['path index'][$path]]['access'];
 }
only in patch2:
unchanged:
--- drupal-4.5.8.orig/includes/xmlrpc.inc
+++ drupal-4.5.8/includes/xmlrpc.inc
@@ -145,6 +145,7 @@
 function xmlrpc_message_tag_open($parser, $tag, $attr) {
   $xmlrpc_message = xmlrpc_message_get();
   $xmlrpc_message->current_tag_contents = '';
+  $xmlrpc_message->last_open = $tag;
   switch($tag) {
     case 'methodCall':
     case 'methodResponse':
@@ -193,11 +194,13 @@
       $value_flag = TRUE;
       break;
     case 'value':
-      // "If no type is indicated, the type is string."
-      if (trim($xmlrpc_message->current_tag_contents) != '') {
+      // If no type is indicated, the type is string.
+      // We take special care for empty values
+      if (trim($xmlrpc_message->current_tag_contents) != '' || $xmlrpc_message->last_open == 'value') {
         $value = (string)$xmlrpc_message->current_tag_contents;
         $value_flag = TRUE;
       }
+      unset($xmlrpc_message->last_open);
       break;
     case 'boolean':
       $value = (boolean)trim($xmlrpc_message->current_tag_contents);
only in patch2:
unchanged:
--- drupal-4.5.8.orig/modules/comment.module
+++ drupal-4.5.8/modules/comment.module
@@ -242,7 +242,7 @@
       return $output;
     case 'fields':
       return array('comment');
-    case 'form admin':
+    case 'form pre':
       if (user_access('administer comments')) {
         $selected = isset($node->comment) ? $node->comment : variable_get("comment_$node->type", 2);
         $output = form_radios('', 'comment', $selected, array(t('Disabled'), t('Read only'), t('Read/write')));
@@ -407,6 +407,11 @@
     // else, we'll just show the user the node they're commenting on.
     if ($pid) {
       $comment = db_fetch_object(db_query('SELECT c.*, u.uid, u.name AS registered_name, u.picture, u.data FROM {comments} c INNER JOIN {users} u ON c.uid = u.uid WHERE c.cid = %d AND c.status = 0', $pid));
+      if ($comment->nid != $nid) {
+        // Attempting to reply to a comment not belonging to the current nid.
+	drupal_set_message(t('The comment you are replying to does not exist.'), 'error');
+	drupal_goto("node/$nid");
+      }
       $comment = drupal_unpack($comment);
       $comment->name = $comment->uid ? $comment->registered_name : $comment->name;
       $output .= theme('comment_view', $comment);
only in patch2:
unchanged:
--- drupal-4.5.8.orig/modules/filter.module
+++ drupal-4.5.8/modules/filter.module
@@ -937,20 +937,23 @@
  * From: http://photomatt.net/scripts/autop
  */
 function _filter_autop($text) {
+  // All block level tags
+  $block = '(?:table|thead|tfoot|caption|colgroup|tbody|tr|td|th|div|dl|dd|dt|ul|ol|li|pre|select|form|blockquote|address|p|h[1-6])';
+
   $text = preg_replace('|\n*$|', '', $text) ."\n\n"; // just to make things a little easier, pad the end
   $text = preg_replace('|<br />\s*<br />|', "\n\n", $text);
-  $text = preg_replace('!(<(?:table|ul|ol|li|pre|form|blockquote|h[1-6])[^>]*>)!', "\n$1", $text); // Space things out a little
-  $text = preg_replace('!(</(?:table|ul|ol|li|pre|form|blockquote|h[1-6])>)!', "$1\n", $text); // Space things out a little
+  $text = preg_replace('!(<'. $block .'[^>]*>)!', "\n$1", $chunk); // Space things out a little
+  $text = preg_replace('!(</'. $block .'>)!', "$1\n\n", $chunk); // Space things out a little
   $text = preg_replace("/\n\n+/", "\n\n", $text); // take care of duplicates
   $text = preg_replace('/\n?(.+?)(?:\n\s*\n|\z)/s', "<p>$1</p>\n", $text); // make paragraphs, including one at the end
   $text = preg_replace('|<p>\s*?</p>|', '', $text); // under certain strange conditions it could create a P of entirely whitespace
   $text = preg_replace("|<p>(<li.+?)</p>|", "$1", $text); // problem with nested lists
   $text = preg_replace('|<p><blockquote([^>]*)>|i', "<blockquote$1><p>", $text);
   $text = str_replace('</blockquote></p>', '</p></blockquote>', $text);
-  $text = preg_replace('!<p>\s*(</?(?:table|tr|td|th|div|ul|ol|li|pre|select|form|blockquote|p|h[1-6])[^>]*>)!', "$1", $text);
-  $text = preg_replace('!(</?(?:table|tr|td|th|div|ul|ol|li|pre|select|form|blockquote|p|h[1-6])[^>]*>)\s*</p>!', "$1", $text);
+  $text = preg_replace('!<p>\s*(</?'. $block .'[^>]*>)!', "$1", $text);
+  $text = preg_replace('!(</?'. $block .'[^>]*>)\s*</p>!', "$1", $text);
   $text = preg_replace('|(?<!<br />)\s*\n|', "<br />\n", $text); // make line breaks
-  $text = preg_replace('!(</?(?:table|tr|td|th|div|dl|dd|dt|ul|ol|li|pre|select|form|blockquote|p|h[1-6])[^>]*>)\s*<br />!', "$1", $text);
+  $text = preg_replace('!(</?'. $block .'[^>]*>)\s*<br />!', "$1", $text);
   $text = preg_replace('!<br />(\s*</?(?:p|li|div|th|pre|td|ul|ol)>)!', '$1', $text);
   $text = preg_replace('/&([^#])(?![a-z]{1,8};)/', '&#038;$1', $text);
 
only in patch2:
unchanged:
--- drupal-4.5.8.orig/modules/taxonomy.module
+++ drupal-4.5.8/modules/taxonomy.module
@@ -906,7 +906,7 @@
       drupal_not_found();
       return;
     }
-    $title = implode(', ', $names);
+    $title = check_plain(implode(', ', $names));
 
     switch ($op) {
       case 'page':
only in patch2:
unchanged:
--- drupal-4.5.8.orig/modules/upload.module
+++ drupal-4.5.8/modules/upload.module
@@ -149,6 +149,11 @@
 
         // Don't do any checks for uid #1.
         if ($user->uid != 1) {
+          // here, something.php.pps becomes something.php_.pps
+	  $munged_filename = upload_munge_filename($file->filename, NULL, 0);
+	  $file->filename = $munged_filename;
+	  $file->description = $munged_filename;
+	
           // Validate file against all users roles. Only denies an upload when
           // all roles prevent it.
           foreach ($user->roles as $rid => $name) {
@@ -175,6 +180,9 @@
         if ($error['extension'] == count($user->roles) && $user->uid != 1) {
           form_set_error('upload', t('Error attaching file %name: invalid extension', array('%name' => "<em>$file->filename</em>")));
         }
+	elseif (strlen($munged_filename) > 255) {
+	  form_set_error('upload', t('The selected file %name can not be attached to this post, because the filename is to long.', array('%name' => theme('placeholder', $munged_filename))));
+	}
         elseif ($error['uploadsize'] == count($user->roles) && $user->uid != 1) {
           form_set_error('upload', t('Error attaching file %name: exceeds maximum file size', array('%name' => "<em>$file->filename</em>")));
         }
@@ -266,6 +274,70 @@
   return db_result($result);
 }
 
+/**
+ * Munge the filename as needed for security purposes.
+ *
+ * @param $filename
+ *   The name of a file to modify.
+ * @param $extensions
+ *   A space separated list of valid extensions. If this is blank, we'll use
+ *   the admin-defined defaults for the user role from upload_extensions_$rid.
+ * @param $alerts
+ *   Whether alerts (watchdog, drupal_set_message()) should be displayed.
+ * @return $filename
+ *   The potentially modified $filename.
+ */
+function upload_munge_filename($filename, $extensions = NULL, $alerts = 1) {
+
+  $original = $filename;
+
+  // Allow potentially insecure uploads for very savvy users
+  if (!variable_get('allow_insecure_uploads', 0)) {
+
+    global $user;
+
+    if (!isset($extensions)) {
+      $extensions = '';
+      foreach ($user->roles as $rid => $name) {
+        $extensions .= ' '. variable_get("upload_extensions_$rid", variable_get('upload_extensions_default', 'jpg jpeg gif png txt html doc xls pdf ppt pps'));
+      }
+
+    }
+
+    $whitelist = array_unique(explode(' ', trim($extensions)));
+
+    $filename_parts = explode('.', $filename);
+
+    $new_filename = array_shift($filename_parts); // Remove file basename.
+    $final_extension = array_pop($filename_parts); // Remove final extension.
+
+    foreach($filename_parts as $filename_part) {
+      $new_filename .= '.'. $filename_part;
+      // if the extension is not allowed and contains 2-5 characters followed
+      // by an optional digit, then it's potentially harmful, so we add an _
+      if (!in_array($filename_part, $whitelist) && preg_match("/^[a-zA-Z]{2,5}\d?$/", $filename_part)) {
+        $new_filename .= '_';
+      }
+    }
+    $filename = "$new_filename.$final_extension";
+  }
+
+  if ($alerts && $original != $filename) {
+    $message = t('Your filename has been renamed to conform to site policy.');
+    drupal_set_message($message);
+  }
+
+  return $filename;
+}
+
+/**
+ * Undo the effect of upload_munge_filename().
+ */
+function upload_unmunge_filename($filename) {
+  return str_replace('_.', '.', $filename);
+}
+
+
 function upload_save($node) {
   foreach ((array)$node->files as $key => $file) {
     if ($file->source && !$file->remove) {
diff -u drupal-4.5.8/debian/templates drupal-4.5.8/debian/templates
--- drupal-4.5.8/debian/templates
+++ drupal-4.5.8/debian/templates
@@ -10,107 +10,53 @@
  database already exists or if no database server has been setup when
  Drupal is installed.
 Description-ca.UTF-8: Voleu crear automàticament una base de dades del Drupal?
- Al Drupal li cal una base de dades configurada amb estructures de dades
- inicialitzades per a funcionar correctament. Aixó pot ser creat
- automàticament per aquest paquet per a bases de dades MySQL o PostgreSQL.
- .
- Crear automàticament la base de dades no te trellat si ja existeix una
- base de dades del Drupal o si no s'ha configurat cap servidor de bases de
- dades quan s'ha instal.lat el Drupal.
+ Al Drupal li cal una base de dades configurada amb estructures de dades inicialitzades per a funcionar correctament. Aixó pot ser creat automàticament per aquest paquet per a bases de dades MySQL o PostgreSQL.
+ .
+ Crear automàticament la base de dades no te trellat si ja existeix una base de dades del Drupal o si no s'ha configurat cap servidor de bases de dades quan s'ha instal.lat el Drupal.
 Description-cs.UTF-8: Vytvořit databázi Drupalu automaticky?
- Aby Drupal fungoval správně, potřebuje přístup do databáze, ve
- které budou vytvořeny příslušné datové struktury. Pro databázové
- systémy MySQL nebo PostgreSQL se to dá zařídit automaticky.
- .
- Automatické vytvoření databáze je zbytečné v případě, kdy již
- databáze Drupalu existuje, nebo pokud v době instalace Drupalu ještě
- není nastaven databázový server.
+ Aby Drupal fungoval správně, potřebuje přístup do databáze, ve které budou vytvořeny příslušné datové struktury. Pro databázové systémy MySQL nebo PostgreSQL se to dá zařídit automaticky.
+ .
+ Automatické vytvoření databáze je zbytečné v případě, kdy již databáze Drupalu existuje, nebo pokud v době instalace Drupalu ještě není nastaven databázový server.
 Description-de.UTF-8: Datenbank für Drupal automatisch erstellen?
- Drupal benötigt Zugang zu einer Datenbank und vorbereiteten
- Datenstrukturen um richtig zu funktionieren. Diese Datenbank kann
- automatisch von diesem Paket angelegt werden; zur Auswahl stehen MySQL-
- oder PostgreSQL-Datenbanken.
- .
- Automatisches Anlegen der Datenbank ist nicht sinnvoll, falls bereits eine
- Drupal-Datenbank existiert oder falls zur Installationszeit kein
- Datenbanksystem installiert und eingerichtet ist.
+ Drupal benötigt Zugang zu einer Datenbank und vorbereiteten Datenstrukturen um richtig zu funktionieren. Diese Datenbank kann automatisch von diesem Paket angelegt werden; zur Auswahl stehen MySQL- oder PostgreSQL-Datenbanken.
+ .
+ Automatisches Anlegen der Datenbank ist nicht sinnvoll, falls bereits eine Drupal-Datenbank existiert oder falls zur Installationszeit kein Datenbanksystem installiert und eingerichtet ist.
 Description-es.UTF-8: ¿Crear automáticamente una base de datos de Drupal?
- Para funcionar correctamente Drupal necesita aceso a una base de datos con
- estructuras de datos inicializadas. Esto puede ser creado automáticamente
- por este paquete para bases de datos MySQL o PostgreSQL.
- .
- La creación automática de la base de datos no tiene sentido si ya existe
- una base de datos de Drupal o si no se ha configurado un servidor de base
- de datos cuando se ha instalado Drupal.
+ Para funcionar correctamente Drupal necesita aceso a una base de datos con estructuras de datos inicializadas. Esto puede ser creado automáticamente por este paquete para bases de datos MySQL o PostgreSQL.
+ .
+ La creación automática de la base de datos no tiene sentido si ya existe una base de datos de Drupal o si no se ha configurado un servidor de base de datos cuando se ha instalado Drupal.
 Description-fr.UTF-8: Faut-il créer automatiquement la base de données de Drupal ?
- Drupal a besoin qu'une base de données soit configurée avec des
- structures de données correctement initialisées. Cette opération peut
- être réalisée automatiquement pour des bases de données MySQL ou
- PostgreSQL.
- .
- La création automatique d'une base de données n'a pas d'intérêt si une
- base de données existe déjà pour Drupal ou si aucun serveur de bases de
- données n'a été configuré quand Drupal a été installé.
+ Drupal a besoin qu'une base de données soit configurée avec des structures de données correctement initialisées. Cette opération peut être réalisée automatiquement pour des bases de données MySQL ou PostgreSQL.
+ .
+ La création automatique d'une base de données n'a pas d'intérêt si une base de données existe déjà pour Drupal ou si aucun serveur de bases de données n'a été configuré quand Drupal a été installé.
 Description-it.UTF-8: Creare automaticamente il database di Drupal?
- Drupal necessita dell'accesso ad un database, associato a strutture dati
- inizializzate per far sì che funzioni correttamente. Questo puo` essere
- creato automaticamente da questo pacchetto, per database come MySQL o
- PostgreSQL.
- .
- Creare automaticamente il database non ha senso se esiste gia` un database
- di Drupal o se non e` stato impostato un server per database quando Drupal
- e` stato installato.
+ Drupal necessita dell'accesso ad un database, associato a strutture dati inizializzate per far sì che funzioni correttamente. Questo puo` essere creato automaticamente da questo pacchetto, per database come MySQL o PostgreSQL.
+ .
+ Creare automaticamente il database non ha senso se esiste gia` un database di Drupal o se non e` stato impostato un server per database quando Drupal e` stato installato.
 Description-ja.UTF-8: Drupal のデータベースを自動的に作成しますか?
- 機能が正しく動作するためには、Drupal
- はデータ構造が初期化されたデータベースに接続する必要があります。これは、このパッケージによって自動的に作成可能で、MySQL
- または PostgreSQL
- データベースのどちらかが利用できます。
+ 機能が正しく動作するためには、Drupal はデータ構造が初期化されたデータベースに接続する必要があります。これは、このパッケージによって自動的に作成可能で、MySQL または PostgreSQL データベースのどちらかが利用できます。
  .
- Drupal データベースがすでに存在している、または Drupal
- のインストール時にデータベースサーバが設定されていないなどの場合、データベースの自動作成は意味がありません。
+ Drupal データベースがすでに存在している、または Drupal のインストール時にデータベースサーバが設定されていないなどの場合、データベースの自動作成は意味がありません。
 Description-nl.UTF-8: Drupal-database automatisch aanmaken?
- Opdat Drupal zou werken is er een geconfigureerde database opstelling met
- geïnitializeerde databasestructuur nodig. Dit pakket is in staat om
- automatisch een geschikte MySQL-, of PostgreSQL- database aan te maken.
- .
- Automatsisch aanmaken van de database heeft geen zin wanneer de
- Drupal-database reeds bestaat, of wanneer er op het moment van de
- Drupal-installatie geen database-server ingesteld is.
+ Opdat Drupal zou werken is er een geconfigureerde database opstelling met geïnitializeerde databasestructuur nodig. Dit pakket is in staat om automatisch een geschikte MySQL-, of PostgreSQL- database aan te maken.
+ .
+ Automatsisch aanmaken van de database heeft geen zin wanneer de Drupal-database reeds bestaat, of wanneer er op het moment van de Drupal-installatie geen database-server ingesteld is.
 Description-pt.UTF-8: Criar automaticamente a base de dados do Drupal?
- O Drupal necessita de aceder a uma base de dados, assim como a estruturas
- de dados inicializadas de modo a funcionar correctamente. Isto pode ser
- criado automaticamente por este pacote, para bases de dados MySQL ou
- PostgreSQL.
- .
- Criar automaticamente a base de dados não faz sentido se já existir uma
- base de dados do Drupal ou se não foi preparado nenhum servidor de bases
- de dados quando o Drupal foi instalado.
+ O Drupal necessita de aceder a uma base de dados, assim como a estruturas de dados inicializadas de modo a funcionar correctamente. Isto pode ser criado automaticamente por este pacote, para bases de dados MySQL ou PostgreSQL.
+ .
+ Criar automaticamente a base de dados não faz sentido se já existir uma base de dados do Drupal ou se não foi preparado nenhum servidor de bases de dados quando o Drupal foi instalado.
 Description-pt_BR.UTF-8: Criar automaticamente o banco de dados do Drupal?
- O Drupal precisa ter acesso a um banco de dados e também as estruturas de
- dados já inicializadas para funcionar adequadamente. Isto poderá ser
- criado automaticamente por este pacote, para bases de dados MySQL ou
- PostgreSQL.
- .
- A criação automática do banco de dados não faz sentido se um banco de
- dados drupal já existe ou se um servidor de banco de dados foi
- configurado para ser usado pelo drupal após a instalação.
+ O Drupal precisa ter acesso a um banco de dados e também as estruturas de dados já inicializadas para funcionar adequadamente. Isto poderá ser criado automaticamente por este pacote, para bases de dados MySQL ou PostgreSQL.
+ .
+ A criação automática do banco de dados não faz sentido se um banco de dados drupal já existe ou se um servidor de banco de dados foi configurado para ser usado pelo drupal após a instalação.
 Description-sv.UTF-8: Skapa Drupals databas automatiskt?
- Drupal behöver tillgång till en databas tillsammans med en initialiserad
- datastruktur för att fungerar korrekt. Detta kan skapas automatiskt av
- detta paket för MySQL eller PostgreSQL-databaser.
- .
- Att skapa databasen automatiskt meningslöst om en Drupal-databas redan
- existerar eller om ingen databasserver har blivit inställd när Drupal
- är installerad.
+ Drupal behöver tillgång till en databas tillsammans med en initialiserad datastruktur för att fungerar korrekt. Detta kan skapas automatiskt av detta paket för MySQL eller PostgreSQL-databaser.
+ .
+ Att skapa databasen automatiskt meningslöst om en Drupal-databas redan existerar eller om ingen databasserver har blivit inställd när Drupal är installerad.
 Description-vi.UTF-8: Tự động tạo cơ sở dữ liệu Drupal không?
- Trình Drupal cần thiết truy cập một cơ sở dữ liệu, cũng
- với cấu trúc dữ liệu đã khởi động, để hoạt động
- cho đúng. Có thể tự động tạo cả điều này dùng gói tin
- này cho cơ sở dữ liệu loại MySQL hay PostgreSQL.
- .
- Tự động tạo cơ sở dữ liệu ấy không phải có ích nếu
- đã có một cơ sở dữ liệu Drupal, hoặc nếu chưa thiết
- lập trình phục vụ cơ sở dữ liệu nào khi cài đặt Drupal.
+ Trình Drupal cần thiết truy cập một cơ sở dữ liệu, cũng với cấu trúc dữ liệu đã khởi động, để hoạt động cho đúng. Có thể tự động tạo cả điều này dùng gói tin này cho cơ sở dữ liệu loại MySQL hay PostgreSQL.
+ .
+ Tự động tạo cơ sở dữ liệu ấy không phải có ích nếu đã có một cơ sở dữ liệu Drupal, hoặc nếu chưa thiết lập trình phục vụ cơ sở dữ liệu nào khi cài đặt Drupal.
 
 Template: drupal/db_auto_update
 Type: boolean
@@ -125,116 +71,75 @@
  .
  The database will be backed up to prevent data loss.
 Description-ca.UTF-8: Executar guió d'actualització de la base de dades?
- Si està actualitzant Drupal des de una versió original antiga es
- necesari actualitzar l'estructura de la base de dades. Aquest paquet pot
- fer-ho automàticament per vosté.
+ Si està actualitzant Drupal des de una versió original antiga es necesari actualitzar l'estructura de la base de dades. Aquest paquet pot fer-ho automàticament per vosté.
  .
- Hi ha un procedimet d'actualització manual disponible accedint a la
- adreça <http://$SITE/update.php> amb un navegador.
+ Hi ha un procedimet d'actualització manual disponible accedint a la adreça <http://$SITE/update.php> amb un navegador.
  .
- Es farà una còpia de seguretat de la base de dades per a prevenir
- perdues d'informació.
+ Es farà una còpia de seguretat de la base de dades per a prevenir perdues d'informació.
 Description-cs.UTF-8: Spustit skript pro aktualizaci databáze?
- Pokud přecházíte ze starší verze Drupalu, musí se aktualizovat
- struktura databáze. Tento balíček to umí provést automaticky.
+ Pokud přecházíte ze starší verze Drupalu, musí se aktualizovat struktura databáze. Tento balíček to umí provést automaticky.
  .
- Ruční aktualizace je možná přes webové rozhraní na
- <http://$SITE/update.php>.
+ Ruční aktualizace je možná přes webové rozhraní na <http://$SITE/update.php>.
  .
  Pro předejití ztrátě dat bude databáze zazálohována.
 Description-de.UTF-8: Datenbank-Updateskript ausführen?
- Wenn Sie von einer früheren Drupal-Version upgraden, ist es nötig, die
- Datenbankstrukturen anzupassen. Dieses Paket kann das automatisch
- erledigen.
+ Wenn Sie von einer früheren Drupal-Version upgraden, ist es nötig, die Datenbankstrukturen anzupassen. Dieses Paket kann das automatisch erledigen.
  .
- Eine manuelle Aktualisierungsprozedur ist verfügbar, wenn Sie
- <http://$SITE/update.php> mit einem Webbrowser aufrufen.
+ Eine manuelle Aktualisierungsprozedur ist verfügbar, wenn Sie <http://$SITE/update.php> mit einem Webbrowser aufrufen.
  .
- Eine Sicherheitskopie der Datenbank wird erstellt werden, um einen Verlust
- der Daten zu verhindern.
+ Eine Sicherheitskopie der Datenbank wird erstellt werden, um einen Verlust der Daten zu verhindern.
 Description-es.UTF-8: ¿Ejecutar el guión de actualización de la base de datos?
- Si está actualizando Drupal desde una versión original más antigua, la
- estructura de la base de datos debe ser actualizada. Este paquete puede
- realizar esta tarea automáticamente.
+ Si está actualizando Drupal desde una versión original más antigua, la estructura de la base de datos debe ser actualizada. Este paquete puede realizar esta tarea automáticamente.
  .
- Hay un procedimiento de actualización manual disponible accediendo a la
- dirección <http://$SITE/update.php> con un navegador.
+ Hay un procedimiento de actualización manual disponible accediendo a la dirección <http://$SITE/update.php> con un navegador.
  .
- Se hará una copia de seguridad de la base de datos para prevenir la
- pérdida de datos.
+ Se hará una copia de seguridad de la base de datos para prevenir la pérdida de datos.
 Description-fr.UTF-8: Faut-il mettre à jour la base de données ?
- Si vous mettez Drupal à jour à partir d'une ancienne version amont, il
- est probablement nécessaire de mettre à jour la structure de la base de
- données. Cette opération peut se faire automatiquement.
+ Si vous mettez Drupal à jour à partir d'une ancienne version amont, il est probablement nécessaire de mettre à jour la structure de la base de données. Cette opération peut se faire automatiquement.
  .
- Vous pouvez effectuer la mise à niveau vous-même en vous rendant, avec
- un navigateur web, à l'adresse <http://$SITE/update.php>.
+ Vous pouvez effectuer la mise à niveau vous-même en vous rendant, avec un navigateur web, à l'adresse <http://$SITE/update.php>.
  .
- La base de données sera sauvegardée pour éviter toute perte
- d'informations.
+ La base de données sera sauvegardée pour éviter toute perte d'informations.
 Description-it.UTF-8: Eseguire lo script di aggiornamento database?
- Se si sta aggiornando Drupal da una versione piu` vecchia, la struttura
- del database necessita di essere aggiornata. Questo pacchetto puo`
- svolgere questa funzione automaticamente.
+ Se si sta aggiornando Drupal da una versione piu` vecchia, la struttura del database necessita di essere aggiornata. Questo pacchetto puo` svolgere questa funzione automaticamente.
  .
- Una procedura di aggiornamento manuale e` disponibile andando con un
- browser all'indirizzo: <http://$SITE/update.php>.
+ Una procedura di aggiornamento manuale e` disponibile andando con un browser all'indirizzo: <http://$SITE/update.php>.
  .
  Il database sara` salvato in un backup per prevenire perdite di dati.
 Description-ja.UTF-8: データベースを更新するスクリプトを実行しますか?
- Drupal
- を古い開発元のバージョンからアップグレードする場合、データベース構造も更新する必要があります。このパッケージではこの作業を自動的に実行します。
+ Drupal を古い開発元のバージョンからアップグレードする場合、データベース構造も更新する必要があります。このパッケージではこの作業を自動的に実行します。
  .
- 手動での更新作業は、ウェブブラウザで
- <http://$SITE/update.php> を指定すれば可能です。
+ 手動での更新作業は、ウェブブラウザで <http://$SITE/update.php> を指定すれば可能です。
  .
  データベースはデータの損失を避けるためにバックアップされます。
 Description-nl.UTF-8: Wilt u het script om de database bij te werken uitvoeren?
- Wanneer u Drupal opwaardeert van een oudere versie is het waarschijnlijk
- noodzakelijk om de databasestructuur bij te werken. Dit pakket kan deze
- taak automatisch uitvoeren.
+ Wanneer u Drupal opwaardeert van een oudere versie is het waarschijnlijk noodzakelijk om de databasestructuur bij te werken. Dit pakket kan deze taak automatisch uitvoeren.
  .
- U kunt handmatig bijwerken door in uw webbrowser naar
- <http://$SITE/update.php> te gaan.
+ U kunt handmatig bijwerken door in uw webbrowser naar <http://$SITE/update.php> te gaan.
  .
- Om dataverlies te vermijden wordt er een reservekopie gemaakt van de
- database.
+ Om dataverlies te vermijden wordt er een reservekopie gemaakt van de database.
 Description-pt.UTF-8: Correr o script de actualização da base de dados?
- Se estiver a actualizar o Drupal a partir de uma versão upstream mais
- antiga, a estrutura da base de dados necessita ser actualizada. Este
- pacote pode executar essa tarefa automaticamente.
+ Se estiver a actualizar o Drupal a partir de uma versão upstream mais antiga, a estrutura da base de dados necessita ser actualizada. Este pacote pode executar essa tarefa automaticamente.
  .
- Está disponível um procedimento manual de actualização apontondando o
- seu browser para <http://$SITE/update.php>.
+ Está disponível um procedimento manual de actualização apontondando o seu browser para <http://$SITE/update.php>.
  .
  A base de dados será salvaguardada para prevenir a perda de dados.
 Description-pt_BR.UTF-8: Executar o script de atualização do banco de dados?
- Se estiver atualizando o Drupal de uma versão upstream antiga, a
- estrutura do banco de dados precisará ser atualizada. Este pacote poderá
- fazer esta tarefa automaticamente.
+ Se estiver atualizando o Drupal de uma versão upstream antiga, a estrutura do banco de dados precisará ser atualizada. Este pacote poderá fazer esta tarefa automaticamente.
  .
- Um procedimento de atualização manual está disponível apontando seu
- navegadorweb para <http://$SITE/update.php>.
+ Um procedimento de atualização manual está disponível apontando seu navegadorweb para <http://$SITE/update.php>.
  .
  Será feito um backup do banco de dados para se evitar uma perda de dados.
 Description-sv.UTF-8: Kör uppdateringskriptet för databasen?
- Om du uppgraderar Drupal från en äldre version behöver
- databasstrukturen uppdateras. Detta paket kan genomföra den uppgiften
- automatiskt.
+ Om du uppgraderar Drupal från en äldre version behöver databasstrukturen uppdateras. Detta paket kan genomföra den uppgiften automatiskt.
  .
- En manuell uppdateringsprocedur finns tillgänglig genom att peka en
- webbläsare till <http://$SITE/update.php>.
+ En manuell uppdateringsprocedur finns tillgänglig genom att peka en webbläsare till <http://$SITE/update.php>.
  .
- Databasen kommer att säkerhetskopieras för att förhindra att data
- förloras.
+ Databasen kommer att säkerhetskopieras för att förhindra att data förloras.
 Description-vi.UTF-8: Chạy tập lệnh cập nhật cơ sở dữ liệu không?
- Nếu bạn đang cập nhật trình Drupal từ một phiên bản gói
- hiện thời cũ hơn, thì cũng cần phải cập nhật cấu trúc
- cơ sở dữ liệu. Gói này có thể tự động thực hiện công
- việc này.
+ Nếu bạn đang cập nhật trình Drupal từ một phiên bản gói hiện thời cũ hơn, thì cũng cần phải cập nhật cấu trúc cơ sở dữ liệu. Gói này có thể tự động thực hiện công việc này.
  .
- Có một thủ tục cập nhật thủ công sẵn sàng khi gõ vào
- trình duyệt Mạng:
+ Có một thủ tục cập nhật thủ công sẵn sàng khi gõ vào trình duyệt Mạng:
  <http://$SITE/update.php>
  (SITE là nơi Mạng / bộ trang Mạng của bạn).
  .
@@ -341,39 +246,29 @@
  This username will be used by Drupal to connect to the database
  server.
 Description-ca.UTF-8: Nom d'usuari del propietari de la base de dades del Drupal
- Aquest nom d'usuari serà emprat per el Drupal per a conectar amb el
- servidor de bases de dades.
+ Aquest nom d'usuari serà emprat per el Drupal per a conectar amb el servidor de bases de dades.
 Description-cs.UTF-8: Uživatelské jméno vlastníka databáze Drupal
- Drupal toto uživatelské jméno použije pro připojení k databázovému
- serveru.
+ Drupal toto uživatelské jméno použije pro připojení k databázovému serveru.
 Description-de.UTF-8: Benutzername für die Drupal-Datenbank
  Drupal wird diesen Benutzernamen zum Zugriff auf die Datenbank verwenden.
 Description-es.UTF-8: Nombre de usuario del propietario de la base de datos de Drupal
- Este nombre de usuario será usado por Drupal para conectar al servidor de
- bases de datos.
+ Este nombre de usuario será usado por Drupal para conectar al servidor de bases de datos.
 Description-fr.UTF-8: Identifiant du propriétaire de la base de données de Drupal :
- Cet identifiant sera utilisé par Drupal pour se connecter à la base de
- données.
+ Cet identifiant sera utilisé par Drupal pour se connecter à la base de données.
 Description-it.UTF-8: Nome del proprietario del database di Drupal
  Questo nome sara` usato da Drupal per connettersi al server del database.
 Description-ja.UTF-8: Drupal データベースの所有者ユーザ名
- このユーザ名がデータベースに接続する際、Drupal
- によって使われます
+ このユーザ名がデータベースに接続する際、Drupal によって使われます
 Description-nl.UTF-8: Gebruikersnaam van de eigenaar van de Drupal-database
- Deze gebruikersnaam wordt door Drupal gebruikt om verbinding te maken met
- de database-server.
+ Deze gebruikersnaam wordt door Drupal gebruikt om verbinding te maken met de database-server.
 Description-pt.UTF-8: Nome de utilizador do dono da base de dados do Drupal
- Este nome de utilizador será utilizado pelo Drupal para se ligar ao
- servidor de bases de dados.
+ Este nome de utilizador será utilizado pelo Drupal para se ligar ao servidor de bases de dados.
 Description-pt_BR.UTF-8: Nome do dono da base de dados do Drupal
- Este nome de usuário será usado pelo Drupal para se conectar ao servidor
- dobanco de dados.
+ Este nome de usuário será usado pelo Drupal para se conectar ao servidor dobanco de dados.
 Description-sv.UTF-8: Användarnamnet på Drupals databasägare
- Detta användarnamn kommer att användas av Drupal för att ansluta till
- databasservern.
+ Detta användarnamn kommer att användas av Drupal för att ansluta till databasservern.
 Description-vi.UTF-8: Tên người dùng của người sở hữu cơ sở dữ liệu Drupal
- Drupal sẽ dùng tên người dùng này để kết nối đến trình
- phục vụ cơ sở dữ liệu.
+ Drupal sẽ dùng tên người dùng này để kết nối đến trình phục vụ cơ sở dữ liệu.
 
 Template: drupal/dbpass
 Type: password
@@ -385,34 +280,25 @@
 Description-cs.UTF-8: Heslo vlastníka databáze Drupal
  Pokud zde nezadáte nic, vygeneruje se náhodné heslo.
 Description-de.UTF-8: Passwort für den Drupal-Benutzer
- Wenn kein Passwort angegeben wird, so wird ein zufälliges Passwort
- generiert werden.
+ Wenn kein Passwort angegeben wird, so wird ein zufälliges Passwort generiert werden.
 Description-es.UTF-8: Clave del usuario propietario de la base de Datos de Drupal
- Si no se especifica ninguna contraseña aquí, se generará una
- aleatoriamente.
+ Si no se especifica ninguna contraseña aquí, se generará una aleatoriamente.
 Description-fr.UTF-8: Mot de passe du propriétaire de la base de données de Drupal
- Si aucun mot de passe n'est choisi, un mot de passe aléatoire sera
- généré.
+ Si aucun mot de passe n'est choisi, un mot de passe aléatoire sera généré.
 Description-it.UTF-8: Password del proprietario del database di Drupal
- Se qui non viene specificata nessuna password, ne sara` generata una
- casuale.
+ Se qui non viene specificata nessuna password, ne sara` generata una casuale.
 Description-ja.UTF-8: Drupal データベースの所有者パスワード
  ここでパスワードが指定されなかった場合、ランダムでパスワードが生成されます。
 Description-nl.UTF-8: Wachtwoord van de eigenaar van de Drupal-database
- Wanneer u geen wachtwoord opgeeft zal er een willekeurig wachtwoord
- gegenereerd worden.
+ Wanneer u geen wachtwoord opgeeft zal er een willekeurig wachtwoord gegenereerd worden.
 Description-pt.UTF-8: Password do dono da base de dados do Drupal
- Se nenhuma password for especificada aqui, será gerada uma password
- aleatória.
+ Se nenhuma password for especificada aqui, será gerada uma password aleatória.
 Description-pt_BR.UTF-8: Senha do dono da base de dados do Drupal
- Caso nenhuma senha seja especificada aqui, uma senha qualquer será
- gerada.
+ Caso nenhuma senha seja especificada aqui, uma senha qualquer será gerada.
 Description-sv.UTF-8: Lösenordet för Drupals databasägare
- Om inget lösenord är angivet här kommer ett slumpmässigt lösenord att
- genereras.
+ Om inget lösenord är angivet här kommer ett slumpmässigt lösenord att genereras.
 Description-vi.UTF-8: Mật khẩu của người sở hữu cơ sở dữ liệu Drupal
- Nếu không ghi rõ mất khẩu vào đây thì sẽ tạo ra một
- mật khẩu ngẫu nhiên.
+ Nếu không ghi rõ mất khẩu vào đây thì sẽ tạo ra một mật khẩu ngẫu nhiên.
 
 Template: drupal/dbname
 Type: string
@@ -455,45 +341,29 @@
  These backups are stored in /var/lib/drupal/backups. This will not
  remove the current database from the DBMS.
 Description-ca.UTF-8: Eliminar les còpies de les bases de dades anteriors quan el paquet siga eliminat?
- Les còpies de seguretat es guarden a /var/lib/drupal/backups. Aixó no
- eliminarà la base de dades actual del sistema de gestió de bases de
- dades.
+ Les còpies de seguretat es guarden a /var/lib/drupal/backups. Aixó no eliminarà la base de dades actual del sistema de gestió de bases de dades.
 Description-cs.UTF-8: Odstranit předchozí zálohy databáze při odstranění balíčku?
- Zálohy jsou uloženy ve /var/lib/drupal/backups. Tímto se neodstraní
- samotná databáze v databázovém systému.
+ Zálohy jsou uloženy ve /var/lib/drupal/backups. Tímto se neodstraní samotná databáze v databázovém systému.
 Description-de.UTF-8: Datenbank-Sicherheitskopien entfernen, wenn dieses Paket entfernt wird?
- Diese Sicherheitskopien liegen in /var/lib/drupal/backups. Die Datenbank
- wird hierdurch nicht entfernt werden.
+ Diese Sicherheitskopien liegen in /var/lib/drupal/backups. Die Datenbank wird hierdurch nicht entfernt werden.
 Description-es.UTF-8: ¿Eliminar copias de seguridad anteriores de la base de datos cuando el paquete sea eliminado?
- Estas copias de seguridad están almacenadas en /var/lib/drupal/backups.
- Esto no eliminará la base de datos actual del sistema de gestión de
- bases de datos.
+ Estas copias de seguridad están almacenadas en /var/lib/drupal/backups. Esto no eliminará la base de datos actual del sistema de gestión de bases de datos.
 Description-fr.UTF-8: Faut-il supprimer les sauvegardes précédentes de la base de données à la suppression du paquet ?
- Ces sauvegardes sont conservées dans /var/lib/drupal/backups. Cette
- opération n'effacera PAS la base de données actuelle.
+ Ces sauvegardes sont conservées dans /var/lib/drupal/backups. Cette opération n'effacera PAS la base de données actuelle.
 Description-it.UTF-8: Rimuovere i vecchi backup del database quando il pacchetto viene rimosso?
- Questi backup sono salvati in /var/lib/drupal/backups. Questo non
- rimuovera` l'attuale database dal DBMS.
+ Questi backup sono salvati in /var/lib/drupal/backups. Questo non rimuovera` l'attuale database dal DBMS.
 Description-ja.UTF-8: パッケージを削除する際、以前のデータベースのバックアップも削除しますか?
- このバックアップは /var/lib/drupal/backups
- に保存されているものです。これを行っても、DBMS
- から現在のデータベースの削除は行いません。
+ このバックアップは /var/lib/drupal/backups に保存されているものです。これを行っても、DBMS から現在のデータベースの削除は行いません。
 Description-nl.UTF-8: Oudere database-reserverkopieëen verwijderen bij pakket de-installatie?
- Deze reservekopieën zijn opgeslagen in /var/lib/drupal/backups. Dit zal
- de huidige database NIET van de database-server verwijderen.
+ Deze reservekopieën zijn opgeslagen in /var/lib/drupal/backups. Dit zal de huidige database NIET van de database-server verwijderen.
 Description-pt.UTF-8: Remover backups antigos da base de dados quando o pacote for removido?
- Estes backups são guardados em /var/lib/drupal/backups. Isto não irá
- remover a base de dados actual do SGDB.
+ Estes backups são guardados em /var/lib/drupal/backups. Isto não irá remover a base de dados actual do SGDB.
 Description-pt_BR.UTF-8: Remover os backups da base de dados quando o pacote for removido?
- Estes backups estão armazenados em /var/lib/drupal/backups. Isto não
- removerá o banco de dados atual do DBMS.
+ Estes backups estão armazenados em /var/lib/drupal/backups. Isto não removerá o banco de dados atual do DBMS.
 Description-sv.UTF-8: Ta bort tidigare säkerhetskopior av databasen när paketet tas bort?
- Dessa säkerhetskopior är lagrade i /var/lib/drupal/backups. Detta kommer
- inte ta bort den nuvarande databasen från databasservern.
+ Dessa säkerhetskopior är lagrade i /var/lib/drupal/backups. Detta kommer inte ta bort den nuvarande databasen från databasservern.
 Description-vi.UTF-8: Xóa bỏ mọi tập tin lưu trữ cơ sở dữ liệu cũ lúc loại bỏ gói tin ấy không?
- Có lưu mọi tập tin lưu trữ ấy vào /var/lib/drupal/backups.
- Hành động này sẽ không loại bỏ cơ sở dữ liệu hiện
- thời ra DBMS (hệ thống quản lý cơ sở dữ liệu).
+ Có lưu mọi tập tin lưu trữ ấy vào /var/lib/drupal/backups. Hành động này sẽ không loại bỏ cơ sở dữ liệu hiện thời ra DBMS (hệ thống quản lý cơ sở dữ liệu).
 
 Template: drupal/webserver
 Type: multiselect
@@ -760,22 +630,19 @@
  .
  ${result}
 Description-es.UTF-8: Ha fallado la actualización automática de la base de datos
- Ha fallado el guión de actualización automática al actualizar la base
- de datos.
+ Ha fallado el guión de actualización automática al actualizar la base de datos.
  .
  Salida del guión:
  .
  ${result}
 Description-fr.UTF-8: Échec de la mise à jour de la base de données ?
- Le script de mise à jour automatique n'a pas pu modifier la base de
- données.
+ Le script de mise à jour automatique n'a pas pu modifier la base de données.
  .
  Affichage du script :
  .
  ${result}
 Description-it.UTF-8: Aggiornamento automatico del database fallito
- Lo script di aggiornamento automatico ha fallito nell'aggiornare il
- database
+ Lo script di aggiornamento automatico ha fallito nell'aggiornare il database
  .
  Output dello script:
  .
@@ -787,22 +654,19 @@
  .
  ${result}
 Description-nl.UTF-8: Automatisch bijwerken van de database is mislukt
- Het automatische bijwerkscript is er niet in geslaagt om de database bij
- te werken.
+ Het automatische bijwerkscript is er niet in geslaagt om de database bij te werken.
  .
  Scriptuitvoer:
  .
  ${result}
 Description-pt.UTF-8: Falhou a actualização automática da base de dados
- O script de actualização automática falhou a actualização da base de
- dados.
+ O script de actualização automática falhou a actualização da base de dados.
  .
  Saída do script:
  .
  ${result}
 Description-pt_BR.UTF-8: Falha na atualização automática do banco de dados
- O script de atualização automática falhou ao tentar atualizar o banco
- de dados.
+ O script de atualização automática falhou ao tentar atualizar o banco de dados.
  .
  Saida do script:
  .
@@ -814,8 +678,7 @@
  .
  ${result}
 Description-vi.UTF-8: Không tự động cập nhật cơ sở dữ liệu được
- Tập lệnh tự động cập nhật không cập nhật cơ sở dữ
- liệu được.
+ Tập lệnh tự động cập nhật không cập nhật cơ sở dữ liệu được.
  .
  Tập lệnh xuất:
  .
@@ -833,104 +696,53 @@
  ${site_root}/update.php
  or run /usr/share/drupal/scripts/debian-update.php from a shell.
 Description-ca.UTF-8: El guió d'actualització automàtica no es pot executar
- S'han trobat fitxers de configuració de Drupal ${old_version}, però el
- paquet ha estat el.liminat. Així que no es pot executar el guió
- d'actualització automàtica.
- .
- Per favor executa-ho manualment després que el paquet estiga correctament
- instal.lat. Apunteu amb el vostre navegador a ${site_root}/update.php o
- executa /usr/share/drupal/FIXME des d'una shell.
+ S'han trobat fitxers de configuració de Drupal ${old_version}, però el paquet ha estat el.liminat. Així que no es pot executar el guió d'actualització automàtica.
+ .
+ Per favor executa-ho manualment després que el paquet estiga correctament instal.lat. Apunteu amb el vostre navegador a ${site_root}/update.php o executa /usr/share/drupal/FIXME des d'una shell.
 Description-cs.UTF-8: Skript pro automatickou aktualizaci databáze nemůže být spuštěn
- Byly nalezeny konfigurační soubory Drupalu verze ${oldversion}, ale
- samotný balíček již byl odstraněn. Z tohoto důvodu není možné
- spustit skript pro automatickou aktualizaci databáze.
- .
- Po úspěšné instalaci balíčku byste jej měli spustit buď přes
- webové rozhraní na ${site_root}/update.php nebo ze shellu skriptem
- /usr/share/drupal/scripts/debian-update.php.
+ Byly nalezeny konfigurační soubory Drupalu verze ${oldversion}, ale samotný balíček již byl odstraněn. Z tohoto důvodu není možné spustit skript pro automatickou aktualizaci databáze.
+ .
+ Po úspěšné instalaci balíčku byste jej měli spustit buď přes webové rozhraní na ${site_root}/update.php nebo ze shellu skriptem /usr/share/drupal/scripts/debian-update.php.
 Description-de.UTF-8: Das automatische Update-Skript kann nicht ausgeführt werden
- Konfigurationsdateien eines früheren Drupal-Pakets ${oldversion} wurden
- gefunden, aber das Paket selbst wurde entfernt. Daher ist es nicht
- möglich, das automatische Update-Skript auszuführen.
- .
- Bitte führen Sie es von Hand aus, nachdem das Paket erfolgreich
- installiert wurde. Entweder öffnen Sie ${site_root}/update.php in einem
- Webbrowser oder starten Sie /usr/share/drupal/scripts/debian-update.php in
- einer Shell.
+ Konfigurationsdateien eines früheren Drupal-Pakets ${oldversion} wurden gefunden, aber das Paket selbst wurde entfernt. Daher ist es nicht möglich, das automatische Update-Skript auszuführen.
+ .
+ Bitte führen Sie es von Hand aus, nachdem das Paket erfolgreich installiert wurde. Entweder öffnen Sie ${site_root}/update.php in einem Webbrowser oder starten Sie /usr/share/drupal/scripts/debian-update.php in einer Shell.
 Description-es.UTF-8: No se puede ejecutar el guión de actualización automática
- Se han encontrado ficheros de un paquete de Drupal ${old_version}, pero el
- paquete ha sido eliminado. Por lo tanto, no es posible ejecutar el guión
- de actualización automática.
- .
- Por favor ejecútelo a mano después de que el paquete haya sido intalado
- con éxito. Cargue en un navegador la dirección ${site_root}/update.php o
- ejecute /usr/share/drupal/FIXME desde un intérprete de órdenes.
+ Se han encontrado ficheros de un paquete de Drupal ${old_version}, pero el paquete ha sido eliminado. Por lo tanto, no es posible ejecutar el guión de actualización automática.
+ .
+ Por favor ejecútelo a mano después de que el paquete haya sido intalado con éxito. Cargue en un navegador la dirección ${site_root}/update.php o ejecute /usr/share/drupal/FIXME desde un intérprete de órdenes.
 Description-fr.UTF-8: Le script de mise à jour automatique ne peut pas être exécuté
- Des fichiers de configuration d'un paquet de Drupal (${oldversion}) ont
- été trouvés mais le paquet lui-même a été supprimé. Il n'est donc
- pas possible d'effectuer la mise à jour automatique.
- .
- Veuillez l'effectuer vous-même après que le paquet se soit correctement
- installé. Vous pouvez également utiliser votre navigateur à l'adresse
- ${site_root}/update.php ou utiliser la commande
- « /usr/share/drupal/scripts/debian-update.php ».
+ Des fichiers de configuration d'un paquet de Drupal (${oldversion}) ont été trouvés mais le paquet lui-même a été supprimé. Il n'est donc pas possible d'effectuer la mise à jour automatique.
+ .
+ Veuillez l'effectuer vous-même après que le paquet se soit correctement installé. Vous pouvez également utiliser votre navigateur à l'adresse ${site_root}/update.php ou utiliser la commande « /usr/share/drupal/scripts/debian-update.php ».
 Description-it.UTF-8: Lo script di aggiornamento automatico non puo` essere eseguito
- Sono stati trovati file di configurazione di un pacchetto Drupal
- ${oldversion}, ma lo stesso pacchetto e` stato rimosso. Per questo motivo
- non e` possibile eseguire lo script di aggiornamento automatico.
- .
- Eseguirlo manualmente dopo che il pacchetto e` stato installato con
- successo. Tramite un browser web andare all'indirizzo
- ${site_root}/update.php o eseguire
- /usr/share/drupal/scripts/debian-update.php da una shell.
+ Sono stati trovati file di configurazione di un pacchetto Drupal ${oldversion}, ma lo stesso pacchetto e` stato rimosso. Per questo motivo non e` possibile eseguire lo script di aggiornamento automatico.
+ .
+ Eseguirlo manualmente dopo che il pacchetto e` stato installato con successo. Tramite un browser web andare all'indirizzo ${site_root}/update.php o eseguire /usr/share/drupal/scripts/debian-update.php da una shell.
 Description-ja.UTF-8: 自動更新スクリプトが実行できません
- Drupal パッケージ ${oldversion} の
- 設定ファイルが見つかりましたが、パッケージ自体は削除されています。つまり、自動更新スクリプトが実行できません。
+ Drupal パッケージ ${oldversion} の 設定ファイルが見つかりましたが、パッケージ自体は削除されています。つまり、自動更新スクリプトが実行できません。
  .
- パッケージのインストールが完了後、手動で実行してください。またはブラウザで
- ${site_root}/update.php を参照するか、シェルから
- /usr/share/drupal/scripts/debian-update.php を実行してください。
+ パッケージのインストールが完了後、手動で実行してください。またはブラウザで ${site_root}/update.php を参照するか、シェルから /usr/share/drupal/scripts/debian-update.php を実行してください。
 Description-nl.UTF-8: Automatisch bijwerkscript kan niet uitgevoerd worden
- Er zijn configuratiebestanden van een 'Drupal'-pakket ${oldversion}
- gevonden, terwijl dat pakket zelf verwijdert is. Bijgevolg is het
- onmogelijk om het automatische bijwerkscript uit te voeren. 
- .
- U dient dit script handmatig opstarten nadat het pakket met succes
- geïnstalleerd is. Hiertoe richt u of uw webbrowser naar
- ${site_root}/update.php, of voert u
- /usr/share/drupal/scripts/debian-update.php uit vanin een shell.
+ Er zijn configuratiebestanden van een 'Drupal'-pakket ${oldversion} gevonden, terwijl dat pakket zelf verwijdert is. Bijgevolg is het onmogelijk om het automatische bijwerkscript uit te voeren. 
+ .
+ U dient dit script handmatig opstarten nadat het pakket met succes geïnstalleerd is. Hiertoe richt u of uw webbrowser naar ${site_root}/update.php, of voert u /usr/share/drupal/scripts/debian-update.php uit vanin een shell.
 Description-pt.UTF-8: O script de actualização automática não pode ser corrido
- Foram encontrados ficheiros de configuração de um pacote Drupal
- ${oldversion}, mas o pacote em si foi removido. Por isso, não é
- possível correr o script de actualização automática.
- .
- Por favor corra-o manualmente após o pacote ter sido instalado com
- sucesso. Ou aponte o seu browser web para ${site_root}/update.php ou corra
- a partir da shell /usr/share/drupal/scripts/debian-update.php.
+ Foram encontrados ficheiros de configuração de um pacote Drupal ${oldversion}, mas o pacote em si foi removido. Por isso, não é possível correr o script de actualização automática.
+ .
+ Por favor corra-o manualmente após o pacote ter sido instalado com sucesso. Ou aponte o seu browser web para ${site_root}/update.php ou corra a partir da shell /usr/share/drupal/scripts/debian-update.php.
 Description-pt_BR.UTF-8: O script de atualização automática não pode ser executado
- Foram emcontrados arquivos de configuração do pacote Drupal
- ${oldversion}, mas o pacote foi removido. No entanto, é possível
- executar o script automático de atualização.
- .
- Por favor execute manualmente após o pacote ser instalado com sucesso. Ou
- apontando seu navegador para ${site_root}/update.php ou executando
- /usr/share/drupal/scripts/debian-update.php a partir de um shell.
+ Foram emcontrados arquivos de configuração do pacote Drupal ${oldversion}, mas o pacote foi removido. No entanto, é possível executar o script automático de atualização.
+ .
+ Por favor execute manualmente após o pacote ser instalado com sucesso. Ou apontando seu navegador para ${site_root}/update.php ou executando /usr/share/drupal/scripts/debian-update.php a partir de um shell.
 Description-sv.UTF-8: Automatiska uppdateringsskriptet kan inte köras
- Konfigurationsfiler för Drupal-paketet ${oldversion} har hittats men
- själva paketet har tagits bort. Därför är det inte möjligt att köra
- det automatiska uppdateringsskriptet.
- .
- Vänligen kör det manuellt efter att paketet har installerats. Antingen
- peka din webbläsare till ${site_root}/update.php eller kör
- /usr/share/drupal/scripts/debian-update.php från ett skal.
+ Konfigurationsfiler för Drupal-paketet ${oldversion} har hittats men själva paketet har tagits bort. Därför är det inte möjligt att köra det automatiska uppdateringsskriptet.
+ .
+ Vänligen kör det manuellt efter att paketet har installerats. Antingen peka din webbläsare till ${site_root}/update.php eller kör /usr/share/drupal/scripts/debian-update.php från ett skal.
 Description-vi.UTF-8: Không chạy được tập lệnh tự động cập nhật.
- Đã tìm những tập tin cấu hình của một gói tin Drupal
- ${oldversion}, nhưng mà gói tin chính nó bị loại bỏ. Vì vậy
- không thể chạy tập lệnh tự động cập nhật.
- .
- Vui lòng tự chạy nó sau khi đã cài đặt gói tin ấy được.
- Hãy hoặc gõ địa chỉ ${site_root}/update.php vào trình duyệt
- Mạng, hoặc chạy từ hệ vỏ:
+ Đã tìm những tập tin cấu hình của một gói tin Drupal ${oldversion}, nhưng mà gói tin chính nó bị loại bỏ. Vì vậy không thể chạy tập lệnh tự động cập nhật.
+ .
+ Vui lòng tự chạy nó sau khi đã cài đặt gói tin ấy được. Hãy hoặc gõ địa chỉ ${site_root}/update.php vào trình duyệt Mạng, hoặc chạy từ hệ vỏ:
  /usr/share/drupal/scripts/debian-update.php
 
 Template: drupal/dropdb_failed
@@ -989,0 +802 @@
+

--- End Message ---
--- Begin Message ---
Source: drupal
Source-Version: 4.5.8-2

Thanks, your changes have been integrated in 4.5.8-2.

Cheers,

Matej

--- End Message ---

Reply to: