Bug#1067896: Acknowledgement (libraptor2-0: memcpy integer underflow and heap read overflow)

2024-03-28 Thread Pedro Ribeiro
I rewrote a bit of the first issue to better understand it, and also 
provide a patch:


## 1. Integer Underflow in `raptor_uri_normalize_path()`

There's an integer underflow in a path length calculation in 
`raptor_uri_normalize_path()`.


This can be triggered by running the PoC below:

```
utils/rapper -i turtle memcpy_int_underflow.poc
rapper: Parsing URI file:///memcpy_int_underflow.poc with parser turtle
rapper: Serializing with serializer ntriples
free(): invalid pointer
Aborted
```

With an ASAN build of `rapper` we can more clearly see the issue without 
the need of a debugger:


```
raptor-asan/utils/rapper -i turtle memcpy_int_underflow.poc
rapper: Parsing URI file:///memcpy_int_underflow.poc with parser turtle
rapper: Serializing with serializer ntriples
=
==2406522==ERROR: AddressSanitizer: negative-size-param: (size=-5)
    #0 0x5f90a3e1cf33 in __interceptor_memcpy 
(/raptor/raptor-asan/utils/.libs/rapper+0x3cf33) (BuildId: 
31b11a035fdbbfb23ddb7c1a5db60302956622be)
    #1 0x7c902fa96e5a in raptor_uri_resolve_uri_reference 
(/raptor/raptor/src/.libs/libraptor2.so.0+0x19e5a) (BuildId: 
9edf75a105deaf007b9332b0a0367c8ad4af744d)
    #2 0x7c902fa9741c in raptor_new_uri_relative_to_base_counted 
(/raptor/raptor/src/.libs/libraptor2.so.0+0x1a41c) (BuildId: 
9edf75a105deaf007b9332b0a0367c8ad4af744d)
    #3 0x7c902fa9747a in raptor_new_uri_relative_to_base 
(/raptor/raptor/src/.libs/libraptor2.so.0+0x1a47a) (BuildId: 
9edf75a105deaf007b9332b0a0367c8ad4af744d)
    #4 0x7c902fab93fc in turtle_lexer_lex 
(/raptor/raptor/src/.libs/libraptor2.so.0+0x3c3fc) (BuildId: 
9edf75a105deaf007b9332b0a0367c8ad4af744d)
    #5 0x7c902fabc3ec in turtle_parser_parse 
(/raptor/raptor/src/.libs/libraptor2.so.0+0x3f3ec) (BuildId: 
9edf75a105deaf007b9332b0a0367c8ad4af744d)

    #6 0x7c902fabebb9 in turtle_parse turtle_parser.c
    #7 0x7c902fabf3ff in raptor_turtle_parse_chunk turtle_parser.c
    #8 0x7c902fa92de4 in raptor_parser_parse_chunk 
(/raptor/raptor/src/.libs/libraptor2.so.0+0x15de4) (BuildId: 
9edf75a105deaf007b9332b0a0367c8ad4af744d)
    #9 0x7c902fa92fc1 in raptor_parser_parse_file_stream 
(/raptor/raptor/src/.libs/libraptor2.so.0+0x15fc1) (BuildId: 
9edf75a105deaf007b9332b0a0367c8ad4af744d)
    #10 0x7c902fa93174 in raptor_parser_parse_file 
(/raptor/raptor/src/.libs/libraptor2.so.0+0x16174) (BuildId: 
9edf75a105deaf007b9332b0a0367c8ad4af744d)
    #11 0x5f90a3ed9492 in main 
(/raptor/raptor-asan/utils/.libs/rapper+0xf9492) (BuildId: 
31b11a035fdbbfb23ddb7c1a5db60302956622be)
    #12 0x7c902f7816c9 in __libc_start_call_main 
csu/../sysdeps/nptl/libc_start_call_main.h:58:16

    #13 0x7c902f781784 in __libc_start_main csu/../csu/libc-start.c:360:3
    #14 0x5f90a3e01650 in _start 
(/raptor/raptor-asan/utils/.libs/rapper+0x21650) (BuildId: 
31b11a035fdbbfb23ddb7c1a5db60302956622be)


(...)

SUMMARY: AddressSanitizer: negative-size-param 
(/raptor/raptor-asan/utils/.libs/rapper+0x3cf33) (BuildId: 
31b11a035fdbbfb23ddb7c1a5db60302956622be) in __interceptor_memcpy

==2406522==ABORTING
```

The crash occurs because `raptor_uri_normalize_path()`, which does some 
complicated jiggling to normalize paths, and fails to take into account 
integer underflows. The function will not be shown here as it is quite 
complex.


`raptor_uri_normalize_path()` is called from 
`raptor_uri_resolve_uri_reference()` to normalize a path, and the crash 
occurs in a juicy `memcpy()` inside `raptor_uri_resolve_uri_reference()` 
(`raptor_rfc2396.c:664`) where `result.path_len` is the underflowed 
integer (ASAN's `negative-size-param`), and `result.path` is attacker 
controlled:


```c
  if(result.path) {
    memcpy(p, result.path, result.path_len);
    p+= result.path_len;
  }
```

The non-ASAN crash in `free()` shown at the top occurs in line 685:

```c
  if(path_buffer)
    RAPTOR_FREE(char*, path_buffer);
```

The fix, however, is rather simple! The function contains several of 
these checks after each calculation:


```c
#if defined(RAPTOR_DEBUG)
  if(path_len != strlen((const char*)path_buffer))
    RAPTOR_FATAL3("Path length %ld does not match calculated %ld.", 
(long)strlen((const char*)path_buffer), (long)path_len);

#endif
```

If we remove the `#if defined` / `#endif` around this code in lines 396 
and 399, we get an error instead of a crash:
`raptor_rfc2396.c:397:raptor_uri_normalize_path: fatal error: Path 
length 0 does not match calculated -5.Aborted`



### 1.1 Steps to reproduce

`rapper -i turtle memcpy_int_underflow.poc`

Contents of `memcpy_int_underflow.poc`:

```
@base  .
@prefix bdf: <.&/../?D/../../1999/02/22-rdf-syntax-ns#>/dbpe
```

### 1.2 Patch

```diff
diff --git a/src/raptor_rfc2396.c b/src/raptor_rfc2396.c
index 89183d96..f58710c5 100644
--- a/src/raptor_rfc2396.c
+++ b/src/raptor_rfc2396.c
@@ -393,10 +393,8 @@ raptor_uri_normalize_path(unsigned char* 
path_buffer, size_t path_len)

   }


-#if defined(RAPTOR_DEBUG)
   if(path_len != 

Bug#1067896: libraptor2-0: memcpy integer underflow and heap read overflow

2024-03-28 Thread Pedro Ribeiro

Package: libraptor2-0
X-Debbugs-Cc: ped...@gmail.com, Debian Security Team 


Version: 2.0.15-4
Severity: grave
Justification: user security hole
Tags: patch upstream security

Hi,

Following on Hanno Bock's footsteps [1], I decided to fuzz libraptor2 
[2][3] and after a few days found a couple of issues.


The memcpy integer underflow issue is probably exploitable, although in 
all honesty I didn't spend much time analysing whether that is possible 
or not. The heap read overflow is probably not exploitable, but again, 
very little time was spent analysing this, as I was just playing around 
with my custom fuzzer.


I tried contacting the author, the Debian and the Ubuntu security teams, 
and while the author acknowledged the issue, it was never resolved or 
looked into. Therefore I am now making it public to see if this can be 
fixed.


The issues below are still present in the latest git tag 
72a8a2dcdd56527dfe9f23b273d9521a11811ef3 [4], committed Dec 4 2023.


Report follows below, please let me know if you need more info.

Regards,

Pedro Ribeiro (ped...@gmail.com) from Agile Information Security


[1] https://www.openwall.com/lists/oss-security/2020/11/13/1
[2] https://tracker.debian.org/pkg/raptor2
[3] https://github.com/dajobe/raptor
[4] 
https://github.com/dajobe/raptor/commit/72a8a2dcdd56527dfe9f23b273d9521a11811ef3



## 1. Integer Underflow in `raptor_uri_normalize_path()`

There's an integer underflow in a path length calculation in 
`raptor_uri_normalize_path()`.


This can be triggered by running the PoC below:

```
utils/rapper -i turtle memcpy_int_underflow.poc
rapper: Parsing URI file:///memcpy_int_underflow.poc with parser turtle
rapper: Serializing with serializer ntriples
free(): invalid pointer
Aborted
```

With an ASAN build of `rapper` we can more clearly see the issue without 
the need of a debugger:


```
raptor-asan/utils/rapper -i turtle memcpy_int_underflow.poc
rapper: Parsing URI file:///memcpy_int_underflow.poc with parser turtle
rapper: Serializing with serializer ntriples
=
==2406522==ERROR: AddressSanitizer: negative-size-param: (size=-5)
    #0 0x5f90a3e1cf33 in __interceptor_memcpy 
(/raptor/raptor-asan/utils/.libs/rapper+0x3cf33) (BuildId: 
31b11a035fdbbfb23ddb7c1a5db60302956622be)
    #1 0x7c902fa96e5a in raptor_uri_resolve_uri_reference 
(/raptor/raptor/src/.libs/libraptor2.so.0+0x19e5a) (BuildId: 
9edf75a105deaf007b9332b0a0367c8ad4af744d)
    #2 0x7c902fa9741c in raptor_new_uri_relative_to_base_counted 
(/raptor/raptor/src/.libs/libraptor2.so.0+0x1a41c) (BuildId: 
9edf75a105deaf007b9332b0a0367c8ad4af744d)
    #3 0x7c902fa9747a in raptor_new_uri_relative_to_base 
(/raptor/raptor/src/.libs/libraptor2.so.0+0x1a47a) (BuildId: 
9edf75a105deaf007b9332b0a0367c8ad4af744d)
    #4 0x7c902fab93fc in turtle_lexer_lex 
(/raptor/raptor/src/.libs/libraptor2.so.0+0x3c3fc) (BuildId: 
9edf75a105deaf007b9332b0a0367c8ad4af744d)
    #5 0x7c902fabc3ec in turtle_parser_parse 
(/raptor/raptor/src/.libs/libraptor2.so.0+0x3f3ec) (BuildId: 
9edf75a105deaf007b9332b0a0367c8ad4af744d)

    #6 0x7c902fabebb9 in turtle_parse turtle_parser.c
    #7 0x7c902fabf3ff in raptor_turtle_parse_chunk turtle_parser.c
    #8 0x7c902fa92de4 in raptor_parser_parse_chunk 
(/raptor/raptor/src/.libs/libraptor2.so.0+0x15de4) (BuildId: 
9edf75a105deaf007b9332b0a0367c8ad4af744d)
    #9 0x7c902fa92fc1 in raptor_parser_parse_file_stream 
(/raptor/raptor/src/.libs/libraptor2.so.0+0x15fc1) (BuildId: 
9edf75a105deaf007b9332b0a0367c8ad4af744d)
    #10 0x7c902fa93174 in raptor_parser_parse_file 
(/raptor/raptor/src/.libs/libraptor2.so.0+0x16174) (BuildId: 
9edf75a105deaf007b9332b0a0367c8ad4af744d)
    #11 0x5f90a3ed9492 in main 
(/raptor/raptor-asan/utils/.libs/rapper+0xf9492) (BuildId: 
31b11a035fdbbfb23ddb7c1a5db60302956622be)
    #12 0x7c902f7816c9 in __libc_start_call_main 
csu/../sysdeps/nptl/libc_start_call_main.h:58:16

    #13 0x7c902f781784 in __libc_start_main csu/../csu/libc-start.c:360:3
    #14 0x5f90a3e01650 in _start 
(/raptor/raptor-asan/utils/.libs/rapper+0x21650) (BuildId: 
31b11a035fdbbfb23ddb7c1a5db60302956622be)


(...)

SUMMARY: AddressSanitizer: negative-size-param 
(/raptor/raptor-asan/utils/.libs/rapper+0x3cf33) (BuildId: 
31b11a035fdbbfb23ddb7c1a5db60302956622be) in __interceptor_memcpy

==2406522==ABORTING
```

The crash occurs because `raptor_uri_normalize_path()`, which does some 
complicated jiggling to normalize paths, and fails to take into account 
integer underflows. The function will not be shown here as it is quite 
complex.


The fix, however, is rather simple!
The function contains several of these checks after each calculation:

```c
#if defined(RAPTOR_DEBUG)
  if(path_len != strlen((const char*)path_buffer))
    RAPTOR_FATAL3("Path length %ld does not match calculated %ld.", 
(long)strlen((const char*)path_buffer), (long)path_len);

#endif
```

By removing the ifdefs around the RAPTOR_FATAL calls, we can catc

Bug#1028353: glibc: [l10n] Updated portuguese tanslation of glibc debconf messages

2023-01-09 Thread Pedro Ribeiro
Source: glibc
Severity: wishlist
Tags: l10n patch
X-Debbugs-Cc: p.m42.ribe...@gmail.com

Hi,

please find attached the updated Portuguese (pt.po) translation of glibc
debconf messages. Feel free to include it in the package.

Thank you
# Portuguese translation of glibc's debconf messages.
# Copyright (C) 2007
# This file is distributed under the same license as the glibc package.
# Ricardo Silva , 2007.
# Pedro Ribeiro , 2010, 2012, 2017, 2023
#
msgid ""
msgstr ""
"Project-Id-Version: glibc 2.36-8\n"
"Report-Msgid-Bugs-To: gl...@packages.debian.org\n"
"POT-Creation-Date: 2023-01-03 21:34+0100\n"
"PO-Revision-Date: 2023-01-09 21:45+0100\n"
"Last-Translator: Pedro Ribeiro \n"
"Language-Team: Portuguese \n"
"Language: pt\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
"Content-Transfer-Encoding: 8bit\n"

#. Type: multiselect
#. Choices
#: ../debhelper.in/locales.templates:1001
msgid "All locales"
msgstr "Todos os locales"

#. Type: multiselect
#. Description
#: ../debhelper.in/locales.templates:1002
msgid "Locales to be generated:"
msgstr "Locales a serem gerados:"

#. Type: multiselect
#. Description
#: ../debhelper.in/locales.templates:1002
msgid ""
"Locales are a framework to switch between multiple languages and allow users "
"to use their language, country, characters, collation order, etc."
msgstr ""
"Locales é uma framework para alternar entre vários idiomas e permitir aos "
"utilizadores utilizarem o seu idioma, país, caracteres, etc."

#. Type: multiselect
#. Description
#: ../debhelper.in/locales.templates:1002
msgid ""
"Please choose which locales to generate. UTF-8 locales should be chosen by "
"default, particularly for new installations. Other character sets may be "
"useful for backwards compatibility with older systems and software."
msgstr ""
"Por favor escolha quais os locales a gerar. Os locales UTF-8 devem ser "
"seleccionados, especialmente em instalações de raiz. Outros conjuntos de "
"caracteres podem ser úteis para compatibilidade com software e sistemas mais "
"antigos."

#. Type: select
#. Choices
#: ../debhelper.in/locales.templates:2001
msgid "None"
msgstr "Nenhum"

#. Type: select
#. Description
#: ../debhelper.in/locales.templates:2002
msgid "Default locale for the system environment:"
msgstr "Locale predefinido para o sistema:"

#. Type: select
#. Description
#: ../debhelper.in/locales.templates:2002
msgid ""
"Many packages in Debian use locales to display text in the correct language "
"for the user. You can choose a default locale for the system from the "
"generated locales."
msgstr ""
"Muitos pacotes em Debian usam locales para mostrar texto no idioma correcto "
"do utilizador. Dos locales gerados, pode escolher o padrão do sistema."

#. Type: select
#. Description
#: ../debhelper.in/locales.templates:2002
msgid ""
"This will select the default language for the entire system. If this system "
"is a multi-user system where not all users are able to speak the default "
"language, they will experience difficulties."
msgstr ""
"Isto irá escolher o idioma padrão para todo o sistema. Se este é um sistema "
"multi-utilizador em que nem todos os utilizadores são capazes de o falar "
"estes irão ter dificuldades."

#. Type: boolean
#. Description
#: ../debhelper.in/libc.templates:1001
msgid "Do you want to upgrade glibc now?"
msgstr "Quer actualizar a glibc agora?"

#. Type: boolean
#. Description
#: ../debhelper.in/libc.templates:1001
msgid ""
"Running services and programs that are using NSS need to be restarted, "
"otherwise they might not be able to do lookup or authentication any more. "
"The installation process is able to restart some services (such as ssh or "
"telnetd), but other programs cannot be restarted automatically. One such "
"program that needs manual stopping and restart after the glibc upgrade by "
"yourself is xdm - because automatic restart might disconnect your active X11 "
"sessions."
msgstr ""
"Serviços e programas que estejam a correr que usem NSS têm de ser "
"reiniciados, de outra forma podem deixar de ser capazes de resolver nomes ou "
"de autenticar utilizadores. O processo de instalação é capaz de reiniciar "
"alguns serviços (tais como ssh ou telnetd), mas há outros programas que não "
"podem ser reiniciados automaticamente. Um dos programas que necessita de ser "
"parado e rei

Bug#980609: Big bug

2021-04-03 Thread Pedro Ribeiro
reopen 980609

severity 980609 grave

This is a huge bug, breaking compilation of many packages and newer
kernels. 

It definitely needs to go into the next stable version!



Bug#983594: [INTL:pt] Updated portuguese translation for debconf messages

2021-02-26 Thread Pedro Ribeiro
Package: pam
Version: 1.4.0
Severity: wishlist
Tags: l10n patch

Updated Portuguese translation for pam's debconf messages.
Translator: Pedro Ribeiro 
Feel free to use it.

For translation updates please contact 'Last Translator' or the
Portuguese Translation Team .
# translation of pam debconf to Portuguese
# Copyright (C) 2007 Américo Monteiro
# This file is distributed under the same license as the pam package.
#
# Américo Monteiro , 2007, 2009.
# Pedro Ribeiro , 2011, 2021.
#
msgid ""
msgstr ""
"Project-Id-Version: pam 1.4.0-6\n"
"Report-Msgid-Bugs-To: p...@packages.debian.org\n"
"POT-Creation-Date: 2021-02-26 10:32-0500\n"
"PO-Revision-Date: 2021-02-26 20:46+\n"
"Last-Translator: Pedro Ribeiro \n"
"Language-Team: Portuguese \n"
"Language: pt\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
"Content-Transfer-Encoding: 8bit\n"
"X-Generator: Lokalize 1.0\n"

#. Type: string
#. Description
#: ../libpam0g.templates:1001
msgid "Services to restart for PAM library upgrade:"
msgstr "Serviços a reiniciar para a actualização da biblioteca PAM:"

#. Type: string
#. Description
#: ../libpam0g.templates:1001
msgid ""
"Most services that use PAM need to be restarted to use modules built for "
"this new version of libpam.  Please review the following space-separated "
"list of  services to be restarted now, and correct it if needed."
msgstr ""
"A maioria dos serviços que usam PAM necessitam ser reiniciados para usarem "
"os módulos construídos para esta nova versão do libpam. Por favor, reveja a "
"seguinte lista de serviços, separados por espaços, a serem reiniciados agora "
"e corrija-a se for necessário."

#. Type: error
#. Description
#: ../libpam0g.templates:2001
msgid "Display manager must be restarted manually"
msgstr "O gestor de sessão gráfica deverá ser reiniciado manualmente"

#. Type: error
#. Description
#: ../libpam0g.templates:2001
msgid ""
"The wdm and xdm display managers require a restart for the new version of "
"libpam, but there are X login sessions active on your system that would be "
"terminated by this restart.  You will therefore need to restart these "
"services by hand before further X logins will be possible."
msgstr ""
"Os gestores de sessão gráfica wdm e xdm necessitam de reiniciar para a nova "
"versão de libpam, mas existem sessões de login X activas no seu sistema que "
"seriam terminadas por esta operação. Deverá reiniciar estes serviços "
"manualmente para permitir novos logins X."

#. Type: error
#. Description
#: ../libpam0g.templates:3001
msgid "Failure restarting some services for PAM upgrade"
msgstr "Falha ao reiniciar alguns serviços para a actualização PAM"

#. Type: error
#. Description
#: ../libpam0g.templates:3001
msgid ""
"The following services could not be restarted for the PAM library upgrade:"
msgstr ""
"Os seguintes serviços não puderam ser reiniciados para a actualização da "
"biblioteca PAM:"

#. Type: error
#. Description
#: ../libpam0g.templates:3001
msgid ""
"You will need to start these manually by running '/etc/init.d/ "
"start'."
msgstr ""
"Você precisa iniciar manualmente estes serviços fazendo '/etc/init.d/"
" start'."

#. Type: boolean
#. Description
#: ../libpam0g.templates:4001
msgid "Restart services during package upgrades without asking?"
msgstr "Reiniciar os serviços durante actualizações do pacote sem perguntar?"

#. Type: boolean
#. Description
#: ../libpam0g.templates:4001
msgid ""
"There are services installed on your system which need to be restarted when "
"certain libraries, such as libpam, libc, and libssl, are upgraded. Since "
"these restarts may cause interruptions of service for the system, you will "
"normally be prompted on each upgrade for the list of services you wish to "
"restart.  You can choose this option to avoid being prompted; instead, all "
"necessary restarts will be done for you automatically so you can avoid being "
"asked questions on each library upgrade."
msgstr ""
"Há serviços instalados no seu sistema que necessitam de ser reiniciados "
"quando certas bibliotecas, tais como libpam, libc e libssl, são "
"actualizadas. Uma vez que estes reinícios podem causar interrupções de "
"serviço do sistema, será normalmente questionado em cada actualização sobre "
"a lista de serviços que deseja reiniciar. Pode escolher esta opção para "
"evitar as questões; n

Bug#833477: does not work on chromium 76

2019-09-08 Thread Pedro Ribeiro
As of Chromium 76, the startup flag needs to be changed as per
https://bugs.chromium.org/p/chromium/issues/detail?id=859359#c7

Instead of
export CHROMIUM_FLAGS="$CHROMIUM_FLAGS --media-router=0"

it needs to be
export CHROMIUM_FLAGS="$CHROMIUM_FLAGS
--disable-features=EnableCastDiscovery"



Bug#802539: Please properly configure HTTPS in security.debian.org

2019-03-27 Thread Pedro Ribeiro

Package: security.debian.org Followup-For: Bug #802539



Bug#893710: wxhexeditor: please package 0.24 (patch included) - fixes serious bug (gcc-7 build failure)

2019-02-25 Thread Pedro Ribeiro
Package: wxhexeditor
Version: 0.23+repack-2+b2
Followup-For: Bug #893710

Hello maintainer,

can you please package the latest 0.24 version? Or better yet, please package
the current git as it fixes many bugs.

Thanks!



-- System Information:
Debian Release: 9.8
  APT prefers stable
  APT policy: (750, 'stable'), (650, 'testing'), (600, 'unstable'), (550, 
'experimental')
Architecture: amd64 (x86_64)
Foreign Architectures: i386

Kernel: Linux 4.19.23-grsec-botto+ (SMP w/4 CPU cores; PREEMPT)
Locale: LANG=en_GB.UTF-8, LC_CTYPE=en_GB.UTF-8 (charmap=UTF-8), 
LANGUAGE=en_GB:en (charmap=UTF-8)
Shell: /bin/sh linked to /bin/bash
Init: systemd (via /run/systemd/system)

Versions of packages wxhexeditor depends on:
ii  libc6 2.28-7
ii  libdisasm00.23-6+b1
ii  libgcc1   1:6.3.0-18+deb9u1
ii  libgomp1  6.3.0-18+deb9u1
ii  libmhash2 0.9.9.9-7
ii  libstdc++68.2.0-20
ii  libwxbase3.0-0v5  3.0.4+dfsg-4~bpo9+1
ii  libwxgtk3.0-0v5   3.0.4+dfsg-4~bpo9+1

wxhexeditor recommends no packages.

wxhexeditor suggests no packages.

-- no debconf information



Bug#921738: chromium-widevine: Widevine does not work with Netflix

2019-02-08 Thread Pedro Ribeiro
Package: chromium-widevine
Version: 71.0.3578.80-1~deb9u1
Severity: grave
Justification: renders package unusable

Netflix keeps saying:
Your web browser is missing a digital rights component. Go to
chrome://components and under WidevineCdm, click Check for update.

I have installed the chromium-widevine package, together with the correct
version of chromium, and still complains about the missing plugin.

To solve it, I need to download a binary blob from Google:
wget https://dl.google.com/widevine-cdm/1.4.8.1008-linux-x64.zip
unzip 1.4.8.1008-linux-x64.zip
sudo mkdir /usr/lib/chromium
sudo mv libwidevinecdm.so /usr/lib/chromium
sudo chmod 644 /usr/lib/chromium/libwidevinecdm.so

Looks like I'm not the only one having this problem:
https://unix.stackexchange.com/questions/385880/using-the-chromium-widevine-
debian-package

Thanks!



-- System Information:
Debian Release: 9.7
  APT prefers stable
  APT policy: (750, 'stable'), (650, 'testing'), (600, 'unstable'), (550, 
'experimental')
Architecture: amd64 (x86_64)
Foreign Architectures: i386

Kernel: Linux 4.18.20-grsec-botto+ (SMP w/4 CPU cores; PREEMPT)
Locale: LANG=en_GB.UTF-8, LC_CTYPE=en_GB.UTF-8 (charmap=UTF-8), 
LANGUAGE=en_GB:en (charmap=UTF-8)
Shell: /bin/sh linked to /bin/bash
Init: systemd (via /run/systemd/system)

Versions of packages chromium-widevine depends on:
ii  chromium  71.0.3578.80-1~deb9u1

chromium-widevine recommends no packages.

chromium-widevine suggests no packages.

-- no debconf information



Bug#919243: Acknowledgement (resolvconf: man page missing important /etc/resolv.conf.d/ information)

2019-01-13 Thread Pedro Ribeiro
Sorry, made a mistake on the directory, I am referring to:
/etc/resolvconf/resolv.conf.d/


On 14/01/2019 09:09, Debian Bug Tracking System wrote:
> Thank you for filing a new Bug report with Debian.
> 
> You can follow progress on this Bug here: 919243: 
> https://bugs.debian.org/cgi-bin/bugreport.cgi?bug=919243.
> 
> This is an automatically generated reply to let you know your message
> has been received.
> 
> Your message is being forwarded to the package maintainers and other
> interested parties for their attention; they will reply in due course.
> 
> As you requested using X-Debbugs-CC, your message was also forwarded to
>   ped...@gmail.com
> (after having been given a Bug report number, if it did not have one).
> 
> Your message has been sent to the package maintainer(s):
>  resolvconf maintainers 
> 
> If you wish to submit further information on this problem, please
> send it to 919...@bugs.debian.org.
> 
> Please do not send mail to ow...@bugs.debian.org unless you wish
> to report a problem with the Bug-tracking system.
> 



Bug#919243: resolvconf: man page missing important /etc/resolv.conf.d/ information

2019-01-13 Thread Pedro Ribeiro
Package: resolvconf
Version: 1.79
Severity: important

The man page of resolvconf is missing important information regarding
/etc/resolv.conf.d/

It appears the man page from other OS contains information about these
directories:
https://unix.stackexchange.com/a/128223

   /etc/resolvconf/resolv.conf.d/base
  File  containing  basic  resolver  information.  The lines in this
  file are included in the resolver configuration file even when no
  interfaces are configured.

   /etc/resolvconf/resolv.conf.d/head
  File to be prepended to the dynamically generated resolver
  configuration file.  Normally this is just a comment line.

   /etc/resolvconf/resolv.conf.d/tail
  File to be appended to the dynamically generated resolver
  configuration file.  To append nothing, make this  an  empty
  file.   This file is a good place to put a resolver options line
  if one is needed, e.g.,

  options inet6

This is very useful information for configuration, can you please add it to the
man page?

Thanks!



-- System Information:
Debian Release: 9.6
  APT prefers stable
  APT policy: (750, 'stable'), (650, 'testing'), (600, 'unstable'), (550, 
'experimental')
Architecture: amd64 (x86_64)
Foreign Architectures: i386

Kernel: Linux 4.18.20-grsec-botto+ (SMP w/4 CPU cores; PREEMPT)
Locale: LANG=en_GB.UTF-8, LC_CTYPE=en_GB.UTF-8 (charmap=UTF-8), 
LANGUAGE=en_GB:en (charmap=UTF-8)
Shell: /bin/sh linked to /bin/bash
Init: systemd (via /run/systemd/system)

Versions of packages resolvconf depends on:
ii  cdebconf [debconf-2.0]  0.227
ii  debconf [debconf-2.0]   1.5.61
ii  ifupdown0.8.19
ii  init-system-helpers 1.48
ii  lsb-base9.20161125

resolvconf recommends no packages.

resolvconf suggests no packages.

-- Configuration Files:
/etc/resolvconf/resolv.conf.d/head changed [not included]

-- debconf information excluded



Bug#918233: [INTL:pt] Updated portuguese translation for deborphan package

2019-01-04 Thread Pedro Ribeiro
Package: deborphan
Version: 1.7.31
Tags; l10n,patch
Severity: wishlist

Updated Portuguese translation for deborphan's messages.
Translator: Pedro Ribeiro 
Feel free to use it.

For translation updates please contact 'Last Translator' or the
Portuguese Translation Team .

Best Regards,
Pedro Ribeiro


pt.po.gz
Description: application/gzip


Bug#876946: isc-dhcp-client: dhclient does not use enter and exit hooks when using -cf option

2017-09-26 Thread Pedro Ribeiro
Package: isc-dhcp-client
Version: 4.3.5-3
Severity: normal
Tags: lfs

dhclient is supposed to use the scripts at /etc/dhcp/dhclient-enter-hooks.d/
when it starts.

This works fine with dhclient -v . However, when using dhclient -cf
 , the hook scripts are not used.

This can be seen below, where the use of the the -cf option doesn't use
resolvconf to update /etc/resolv.conf, but when I omit the -cf flag everything
works fine.

I don't see any option in the default config that enables this, so I'm assuming
it's a bug.

~ > sudo dhclient -v -cf /var/lib/wicd/dhclient.conf wlan0
Internet Systems Consortium DHCP Client 4.3.5
Copyright 2004-2016 Internet Systems Consortium.
All rights reserved.
For info, please visit https://www.isc.org/software/dhcp/

Listening on LPF/wlan0/60:67:20:c7:1b:d0
Sending on   LPF/wlan0/60:67:20:c7:1b:d0
Sending on   Socket/fallback
DHCPREQUEST of 192.168.1.106 on wlan0 to 255.255.255.255 port 67
DHCPACK of 192.168.1.106 from 192.168.1.1
RTNETLINK answers: File exists
bound to 192.168.1.106 -- renewal in 110002 seconds.
~ > cat /etc/resolv.conf
nameserver 192.168.1.1
~ > sudo dhclient -v wlan0
Internet Systems Consortium DHCP Client 4.3.5
Copyright 2004-2016 Internet Systems Consortium.
All rights reserved.
For info, please visit https://www.isc.org/software/dhcp/

Listening on LPF/wlan0/60:67:20:c7:1b:d0
Sending on   LPF/wlan0/60:67:20:c7:1b:d0
Sending on   Socket/fallback
DHCPREQUEST of 192.168.1.106 on wlan0 to 255.255.255.255 port 67
DHCPACK of 192.168.1.106 from 192.168.1.1
RTNETLINK answers: File exists
bound to 192.168.1.106 -- renewal in 99741 seconds.
~ > cat /etc/resolv.conf
# Dynamic resolv.conf(5) file for glibc resolver(3) generated by resolvconf(8)
# DO NOT EDIT THIS FILE BY HAND -- YOUR CHANGES WILL BE OVERWRITTEN
nameserver 192.168.1.1
nameserver 127.0.0.1



-- System Information:
Debian Release: 9.1
  APT prefers stable
  APT policy: (750, 'stable'), (650, 'testing'), (600, 'unstable'), (550, 
'experimental')
Architecture: amd64 (x86_64)
Foreign Architectures: i386

Kernel: Linux 4.9.50-unofficial+grsec+ (SMP w/4 CPU cores; PREEMPT)
Locale: LANG=en_GB.UTF-8, LC_CTYPE=en_GB.UTF-8 (charmap=UTF-8), 
LANGUAGE=en_GB:en (charmap=UTF-8)
Shell: /bin/sh linked to /bin/bash
Init: systemd (via /run/systemd/system)

Versions of packages isc-dhcp-client depends on:
ii  debianutils   4.8.1.1
ii  iproute2  4.9.0-1
ii  libc6 2.24-11+deb9u1
ii  libdns-export162  1:9.10.3.dfsg.P4-12.3+deb9u2
ii  libisc-export160  1:9.10.3.dfsg.P4-12.3+deb9u2

Versions of packages isc-dhcp-client recommends:
ii  isc-dhcp-common  4.3.5-3

Versions of packages isc-dhcp-client suggests:
pn  avahi-autoipd 
pn  isc-dhcp-client-ddns  
ii  resolvconf1.79

-- no debconf information



Bug#876715: virtualbox-qt: virtualbox 5.1.28 uses qt 5.9

2017-09-24 Thread Pedro Ribeiro
Package: virtualbox-qt
Version: 5.1.26-dfsg-2
Severity: normal

I'm using VirtualBox from testing on stable. I know mixing stable / testing
packages is not recommended or supported, but as I'm sure you are aware this is
the only way to get VirtualBox on Debian now.

VirtualBox 5.1.28 requires the usage of Qt 5.9, which means that I have the
upgrade the whole of Qt from 5.7 (in stable) to 5.9.

I would have no problem with this... except that Qt 5.8 and above break
compatibility with GTK themes. As a result, all my Qt apps now look like crap -
themes are not respected. Qt devs said a fix is incoming, but it has been like
this for over 2 years now (since the release of 5.8).

Is there a specific reason why the Qt version requirement changed from 5.1.26
to 5.1.28?



-- System Information:
Debian Release: 9.1
  APT prefers stable
  APT policy: (750, 'stable'), (650, 'testing'), (600, 'unstable'), (550, 
'experimental')
Architecture: amd64 (x86_64)
Foreign Architectures: i386

Kernel: Linux 4.9.50-unofficial+grsec+ (SMP w/4 CPU cores; PREEMPT)
Locale: LANG=en_GB.UTF-8, LC_CTYPE=en_GB.UTF-8 (charmap=UTF-8), 
LANGUAGE=en_GB:en (charmap=UTF-8)
Shell: /bin/sh linked to /bin/bash
Init: systemd (via /run/systemd/system)

Versions of packages virtualbox-qt depends on:
ii  libc6 2.24-11+deb9u1
ii  libgcc1   1:6.3.0-18
ii  libgl1-mesa-glx [libgl1]  13.0.6-1+b2
ii  libqt5core5a  5.7.1+dfsg-3+b1
ii  libqt5gui55.7.1+dfsg-3+b1
ii  libqt5opengl5 5.7.1+dfsg-3+b1
ii  libqt5printsupport5   5.7.1+dfsg-3+b1
ii  libqt5widgets55.7.1+dfsg-3+b1
ii  libqt5x11extras5  5.7.1~20161021-2
ii  libstdc++66.3.0-18
ii  libx11-6  2:1.6.4-3
ii  libxcb1   1.12-1
ii  libxext6  2:1.3.3-1+b2
ii  libxinerama1  2:1.1.3-1+b3
ii  virtualbox5.1.28-dfsg-1

virtualbox-qt recommends no packages.

virtualbox-qt suggests no packages.

-- no debconf information



Bug#849164: severity is critical

2016-12-25 Thread Pedro Ribeiro
severity 849164 critical

critical as the package cannot be installed, and after upgrading
virtualbox I cannot start previously suspended VM's



Bug#847977: See other bug

2016-12-21 Thread Pedro Ribeiro
This is a critical bug as it blocks users from using iPhones with iOS 10
on Debian.

Dupicate of #840931, check the report there for an explanation and
required patch.



Bug#840931: Push severity to critical

2016-12-21 Thread Pedro Ribeiro
severity 840931 critical

This is a critical bug, as it makes iPhones unusable with Debian.



Bug#839030: qt5-style-plugins: Please include gtk2 style

2016-09-27 Thread Pedro Ribeiro
Package: qt5-style-plugins
Version: 5.0.0-1+b3
Severity: wishlist
Tags: newcomer

The upstream qt5-style-plugins source includes a gtk2 style plugin. This allows
the user to make all Qt5 applications match the current gtk2 theme by using the
environment variable export QT_STYLE_OVERRIDE=gtk2

This helps immensely when using a dark theme on GTK, or any non standard theme.



-- System Information:
Debian Release: 8.6
  APT prefers stable
  APT policy: (750, 'stable'), (650, 'testing'), (600, 'unstable'), (550, 
'experimental')
Architecture: amd64 (x86_64)
Foreign Architectures: i386

Kernel: Linux 4.4.19-botto-grsec+ (SMP w/4 CPU cores; PREEMPT)
Locale: LANG=en_GB.UTF-8, LC_CTYPE=en_GB.UTF-8 (charmap=UTF-8)
Shell: /bin/sh linked to /bin/bash
Init: systemd (via /run/systemd/system)

Versions of packages qt5-style-plugins depends on:
ii  libc62.23-5
ii  libqt5core5a [qtbase-abi-5-6-1]  5.6.1+dfsg-3+b1
ii  libqt5gui5   5.6.1+dfsg-3+b1
ii  libqt5widgets5   5.6.1+dfsg-3+b1
ii  libstdc++6   6.1.1-11

qt5-style-plugins recommends no packages.

qt5-style-plugins suggests no packages.

-- no debconf information



Bug#770763: libfm-data: Cut-paste copies the file but does not delete the source

2014-11-23 Thread Pedro Ribeiro
Package: libfm-data
Version: 1.2.3-1
Severity: important

Hi,

The current testing/unstable version of libfm/pcmanfm does not support cut and
paste properly. I'm not sure if this is a problem with my setup as there are
older archived bugs that are marked as resolved (such as 705765).

To reproduce:
1- Open any folder
2- Select a file and Cut from the menu or using CTRL+X
3- Paste in any other folder using Paste from the menu or CTRL+V

Result:
File is copied to the destination but the source file is kept.

Please let me know if you need more information.

Regards,
Pedro



-- System Information:
Debian Release: jessie/sid
  APT prefers testing
  APT policy: (750, 'testing'), (700, 'stable'), (600, 'unstable'), (550, 
'experimental')
Architecture: amd64 (x86_64)
Foreign Architectures: i386

Kernel: Linux 3.16-3-amd64 (SMP w/4 CPU cores)
Locale: LANG=en_GB.UTF-8, LC_CTYPE=en_GB.UTF-8 (charmap=UTF-8)
Shell: /bin/sh linked to /bin/bash

-- no debconf information


-- 
To UNSUBSCRIBE, email to debian-bugs-dist-requ...@lists.debian.org
with a subject of unsubscribe. Trouble? Contact listmas...@lists.debian.org



Bug#756159: qemu-kvm: Please build binary with SATA and hda sound support

2014-07-26 Thread Pedro Ribeiro
Package: qemu-kvm
Version: 2.0.0+dfsg-6+b1
Severity: normal

Hi,

When I set up a virtual machine with a SATA drive, the VM fails to start with
the following message:
Error starting domain: unsupported configuration: SATA is not supported with
this QEMU binary

Traceback (most recent call last):
  File /usr/share/virt-manager/virtManager/asyncjob.py, line 96, in
cb_wrapper
callback(asyncjob, *args, **kwargs)
  File /usr/share/virt-manager/virtManager/asyncjob.py, line 117, in tmpcb
callback(*args, **kwargs)
  File /usr/share/virt-manager/virtManager/domain.py, line 1160, in startup
self._backend.create()
  File /usr/lib/python2.7/dist-packages/libvirt.py, line 917, in create
if ret == -1: raise libvirtError ('virDomainCreate() failed', dom=self)
libvirtError: unsupported configuration: SATA is not supported with this QEMU
binary

A similar error occurs when setting up a VM with the hda sound card:
Error starting domain: unsupported configuration: hda is not supported with
this QEMU binary

Looking around the 'net, it seems this error occurs because the binary is not
built with these options.
Can you please enable these options when building the binary?

Thanks in advance.

Regards,
Pedro



-- System Information:
Debian Release: jessie/sid
  APT prefers testing
  APT policy: (750, 'testing'), (700, 'stable'), (600, 'unstable'), (550, 
'experimental')
Architecture: amd64 (x86_64)
Foreign Architectures: i386

Kernel: Linux 3.15.0-00107-g1860e37-dirty (SMP w/2 CPU cores; PREEMPT)
Locale: LANG=en_GB.UTF-8, LC_CTYPE=en_GB.UTF-8 (charmap=UTF-8)
Shell: /bin/sh linked to /bin/bash

Versions of packages qemu-kvm depends on:
ii  qemu-system-x86  2.0.0+dfsg-6+b1

qemu-kvm recommends no packages.

qemu-kvm suggests no packages.

-- no debconf information


-- 
To UNSUBSCRIBE, email to debian-bugs-dist-requ...@lists.debian.org
with a subject of unsubscribe. Trouble? Contact listmas...@lists.debian.org



Bug#499376: Is this dead?

2014-07-26 Thread Pedro Ribeiro
Hi,

has this been abandoned?
I'm keen to try new alternatives now that file-roller is now very ugly
thanks to the changes in gtk3. This seems like a good alternative as
Xarchiver is incredibly buggy.

Any way I can help?

Regards,
Pedro


-- 
To UNSUBSCRIBE, email to debian-bugs-dist-requ...@lists.debian.org
with a subject of unsubscribe. Trouble? Contact listmas...@lists.debian.org



Bug#749815: O: poedit -- gettext catalog editor

2014-05-29 Thread Pedro Ribeiro

Package: poedit
Severity: normal

I don't use poedit for quite some time now, and have almost no free time to take
care of this package, So, i'm orphaning it.

My last sponsor was Norbert Preining (preining), who helped me with version
1.5.4


-- 

Pedro m42 Ribeiro



signature.asc
Description: Digital signature


Bug#738790: [INTL:pt] Portuguese translation of apt-cache-ng debconf templates

2014-02-12 Thread Pedro Ribeiro
Package: apt-cacher-ng
Version: 0.7.24-2
Tags: l10n, patch
Severity: wishlist

Updated Portuguese translation for apt-cacher-ng's debconf messages.
Translator: Pedro Ribeiro p.m42.ribe...@gmail.com
Feel free to use it.

For translation updates please contact 'Last Translator' or the
Portuguese Translation Team traduz _at_ debianpt.org.


-- 
Best regards,

Pedro m42 Ribeiro
Traduz - Portuguese Translation Team
http://www.DebianPT.org

# Portuguese translation or apt-cacher-ng debconf messages
# Copyright (C) 2009, The apt-cacher-ng's authors
# This file is distributed under the same license as the apt-cacher-ng package.
# Pedro Ribeiro p.m42.ribe...@gmail.com.
#
msgid 
msgstr 
Project-Id-Version: apt-cacher-ng_0.4-2\n
Report-Msgid-Bugs-To: apt-cacher...@packages.debian.org\n
POT-Creation-Date: 2014-01-27 06:52+0100\n
PO-Revision-Date: 2014-02-12 22:00+\n
Last-Translator: Pedro Ribeirop.m42.ribe...@gmail.com\n
Language-Team: Portuguesetra...@debianpt.org\n
Language: \n
MIME-Version: 1.0\n
Content-Type: text/plain; charset=UTF-8\n
Content-Transfer-Encoding: 8bit\n

#. Type: select
#. Choices
#: ../apt-cacher-ng.templates:2001
msgid Set up once
msgstr Configurar uma vez

#. Type: select
#. Choices
#: ../apt-cacher-ng.templates:2001
msgid Set up now and update later
msgstr Configurar agora e actualizar mais tarde

#. Type: select
#. Choices
#: ../apt-cacher-ng.templates:2001
msgid No automated setup
msgstr Sem configuração automática

#. Type: select
#. Description
#: ../apt-cacher-ng.templates:2002
msgid Automatic remapping of client requests:
msgstr Remapeamento automático de pedidos de clientes:

#. Type: select
#. Description
#: ../apt-cacher-ng.templates:2002
#| msgid 
#| Apt-Cacher NG can download packages from repositories other than those 
#| requested by the clients. This allows it to cache content effectively, 
#| and makes it easy for an administrator to switch to another mirror later.
msgid 
Apt-Cacher NG can download packages from repositories other than those 
requested by the clients. This allows it to cache content effectively, and 
makes it easy for an administrator to switch to another mirror later. The 
URL remapping can be set up automatically, using a configuration based on 
the current state of /etc/apt/sources.list.
msgstr 
O Apt-Cacher NG pode fazer o download de pacotes de repositórios além dos 
pedidos pelos clientes. Isto permite fazer a cache de conteúdos mais 
eficientemente e facilita a mudança posterior de mirror por parte de um 
administrador. O mapeamento de URL pode ser configurado automaticamente, 
através duma configuração baseada no estado actual do /etc/apt/sources.list.

#. Type: select
#. Description
#: ../apt-cacher-ng.templates:2002
msgid 
Please specify whether the remapping should be configured once now, or 
reconfigured on every update of Apt-Cacher NG (modifying the configuration 
files each time), or left unconfigured.
msgstr 
Por favor, indique se quer configurar o mapeamento agora, reconfigurá-lo de 
cada vez que actualiza o Apt-Cacher NG (modificando sempre os ficheiros de 
configuração), ou deixar por configurar.

#. Type: select
#. Description
#: ../apt-cacher-ng.templates:2002
msgid 
Selecting \No automated setup\ will leave the existing configuration 
unchanged. It will need to be updated manually.
msgstr 
Seleccionar \Sem actualização automática\ deixará a configuração actual 
intacta. Necessitará de ser actualizada manualmente.

#. Type: string
#. Description
#: ../apt-cacher-ng.templates:3001
msgid Listening address(es) for Apt-Cacher NG:
msgstr Endereço(s) de escuta para o Apt-Cacher NG:

#. Type: string
#. Description
#: ../apt-cacher-ng.templates:3001
msgid 
Please specify the local addresses that Apt-Cacher NG should listen on 
(multiple entries must be separated by spaces).
msgstr 
Indique por favor os endereços locais que o Apt-Cacher NG deve escutar 
(endereços múltiplos devem ser separados por espaços).

#. Type: string
#. Description
#: ../apt-cacher-ng.templates:3001
msgid 
Each entry must be an IP address or hostname associated with a local network 
interface. Generic protocol-specific addresses are also supported, such as 
0.0.0.0 for listening on all IPv4-enabled interfaces.
msgstr 
Cada entrada tem que ser um endereço IP ou nome de máquina associado com uma 
interface de rede local. Endereços genéricos específicos de protocolo são 
também suportados, como por exemplo 0.0.0.0 para interfaces com IPv4.

#. Type: string
#. Description
#: ../apt-cacher-ng.templates:3001
msgid 
If this field is left empty, Apt-Cacher NG will listen on all interfaces, 
with all supported protocols.
msgstr 
Se este campo for deixado vazio, o Apt-Cacher NG irá escutar em todos os 
interfaces, em todos os protocolos suportados.

#. Type: string
#. Description
#. Type: string
#. Description
#: ../apt-cacher-ng.templates:3001 ../apt-cacher-ng.templates:6001
msgid 
The special word \keep\ keeps the value from the current (or default) 
configuration unchanged

Bug#482345: grub-install fails to read /boot/grub/stage1

2014-02-09 Thread Pedro Ribeiro
Package: grub-legacy
Version: 0.97-67
Followup-For: Bug #482345

Hi,

this is an old bug, but still present.

I recently upgraded to grub2, but I didn't like and didn't need all the bells
and whistles, so decided to delete grub2 and reinstall grub-legacy.

Reinstalling fails when doing:
The file /boot/grub/stage1 not read correctly.

I tried many ways (you can see in the log below) but eventually found
the solution in linuxforums: http://www.linuxforums.org/forum/ubuntu-
linux/119894-file-boot-grub-stage1-not-read-correctly.html#post615895

Apparently the installer skips a step, running depmod before doing update-grub.

Please see the log below for details.



-- System Information:
Debian Release: 7.3
  APT prefers stable
  APT policy: (750, 'stable'), (650, 'testing'), (600, 'unstable'), (550,
'experimental')
Architecture: amd64 (x86_64)
Foreign Architectures: i386

Kernel: Linux 3.12.9-try2-grsec-dirty (SMP w/2 CPU cores; PREEMPT)
Locale: LANG=en_GB.UTF-8, LC_CTYPE=en_GB.UTF-8 (charmap=UTF-8)
Shell: /bin/sh linked to /bin/bash

Versions of packages grub-legacy depends on:
ii  grub-common  1.99-27+deb7u2

grub-legacy recommends no packages.

Versions of packages grub-legacy suggests:
pn  grub-legacy-doc  none
pn  mdadmnone
pn  multibootnone

-- no debconf information

*** /home/botto/tmp/grub-install.log
grub  sudo aptitude reinstall grub-legacy grub-common
The following packages will be REINSTALLED:
  grub-common grub-legacy
0 packages upgraded, 0 newly installed, 2 reinstalled, 0 to remove and 34 not
upgraded.
Need to get 0 B/2,458 kB of archives. After unpacking 0 B will be used.
(Reading database ... 468880 files and directories currently installed.)
Preparing to replace grub-common 1.99-27+deb7u2 (using .../grub-
common_1.99-27+deb7u2_amd64.deb) ...
Unpacking replacement grub-common ...
Preparing to replace grub-legacy 0.97-67 (using .../grub-
legacy_0.97-67_amd64.deb) ...
Unpacking replacement grub-legacy ...
Processing triggers for man-db ...
Setting up grub-common (1.99-27+deb7u2) ...
Setting up grub-legacy (0.97-67) ...

grub  ls
grub  cd ..
boot  cd grub/
grub  ls
grub  cd ..
boot  ls
config-3.12-0.bpo.1-amd64   grub
initrd.img-3.12.9-try2-grsec-dirty  lost+found
System.map-3.12.9-try2-grsec-dirty  vmlinuz-3.12.9-try2-grsec-dirty
config-3.12.9-try2-grsec-dirty  initrd.img-3.12-0.bpo.1-amd64
initrd.img-3.12.9-try2-grsec-dirty.bak  System.map-3.12-0.bpo.1-amd64
vmlinuz-3.12-0.bpo.1-amd64

grub  sudo grub-install /dev/sda1
Searching for GRUB installation directory ... found: /boot/grub
The file /boot/grub/stage1 not read correctly.
grub  sudo grub-install --recheck /dev/sda1
Searching for GRUB installation directory ... found: /boot/grub


GNU GRUB  version 0.97  (640K lower / 3072K upper memory)

   [ Minimal BASH-like line editing is supported.   For
 the   first   word,  TAB  lists  possible  command
 completions.  Anywhere else TAB lists the possible
 completions of a device/filename. ]
grub root (hd0,0)
 Filesystem type is xfs, partition type 0x83
grub setup  --stage2=/boot/grub/stage2 --prefix=/boot/grub (hd0,0)
 Checking if /boot/grub/stage1 exists... yes
 Checking if /boot/grub/stage2 exists... yes
 Checking if /boot/grub/xfs_stage1_5 exists... yes
 Running embed /boot/grub/xfs_stage1_5 (hd0,0)... failed (this is not fatal)
 Running embed /boot/grub/xfs_stage1_5 (hd0,0)... failed (this is not fatal)
 Running install --stage2=/boot/grub/stage2 /boot/grub/stage1 (hd0,0)
/boot/grub/stage2 p /boot/grub/menu.lst ... failed

Error 22: No such partition
grub quit
grub  ls
default  device.map  e2fs_stage1_5  fat_stage1_5  jfs_stage1_5  menu.lst
minix_stage1_5  reiserfs_stage1_5  stage1  stage2  xfs_stage1_5
grub  pwd
/boot/grub
grub  sudo grub-install --recheck /dev/sda1
Searching for GRUB installation directory ... found: /boot/grub


GNU GRUB  version 0.97  (640K lower / 3072K upper memory)

   [ Minimal BASH-like line editing is supported.   For
 the   first   word,  TAB  lists  possible  command
 completions.  Anywhere else TAB lists the possible
 completions of a device/filename. ]
grub root (hd0,0)
 Filesystem type is xfs, partition type 0x83
grub setup  --stage2=/boot/grub/stage2 --prefix=/boot/grub (hd0,0)
 Checking if /boot/grub/stage1 exists... yes
 Checking if /boot/grub/stage2 exists... yes
 Checking if /boot/grub/xfs_stage1_5 exists... yes
 Running embed /boot/grub/xfs_stage1_5 (hd0,0)... failed (this is not fatal)
 Running embed /boot/grub/xfs_stage1_5 (hd0,0)... failed (this is not fatal)
 Running install --stage2=/boot/grub/stage2 /boot/grub/stage1 (hd0,0)
/boot/grub/stage2 p /boot/grub/menu.lst ... failed

Error 22: No such partition
grub quit
grub  sudo depmod
grub  sudo update-grub
Searching for GRUB installation directory ... found: /boot/grub
Searching for default file ... found: /boot/grub/default
Testing for an existing GRUB menu.lst file ... found: /boot/grub/menu.lst
Searching for 

Bug#594197: poedit does not handle po file with simgular/plural combination strings

2013-11-06 Thread Pedro Ribeiro
Osamu, your test file has an extra Plural-Forms on the header, i guess
its what poedit is complaining. If you clean that with a text-editor you'll
get a valid file and no complains from poedit.

I've attached the cleaned file, so that you can confirm the behaviour...

Pedro m42 Ribeiro



On 5 November 2013 17:23, intrigeri intrig...@debian.org wrote:

 Osamu Aoki wrote (05 Nov 2013 15:47:53 GMT) :
  Since current ja.po in apt is missing msgstr[1], I created attached
  short example.  (Japanese text replaced with English for ease of
  testing.)

 Thanks for the minimal testcase, this will make it easy for anyone
 picks up poedit maintenance to take this upstream :)

 Cheers,
 --
   intrigeri
   | GnuPG key @ https://gaffer.ptitcanardnoir.org/intrigeri/intrigeri.asc
   | OTR fingerprint @ https://gaffer.ptitcanardnoir.org/intrigeri/otr.asc



ja.po
Description: Binary data


Bug#666464: xcompmgr: new upstream release (1.1.6)

2013-10-23 Thread Pedro Ribeiro
On Oct 22, 2013 4:23 PM, Ryan Tandy r...@nardis.ca wrote:

 Hi Pedro and Vincent,

 On Sat, Aug 24, 2013 at 4:59 PM, Vincent Lefevre vinc...@vinc17.net
wrote:
  Any news?

 Well, I finally (where does the time go!) thought about xcompmgr again.

 I applied the patch posted by Brandon Gooch in
 https://bugs.freedesktop.org/show_bug.cgi?id=46285#c3 and got mixed
 results. Under xfwm4 I still get no shadows at all. Under metacity
 with server-side compositing (xcompmgr -s), the shadows are drawn but
 don't obey the parameters (-t -l -r) I supply. Under metacity with
 client-side compositing (xcompmgr -c), the shadows are drawn according
 to my parameters, but when moving a window over top of a Chrome
 window, the old shadow frames are not removed but stay visible until
 Chrome redraws itself. (I'm running google-chrome-stable, not
 chromium).

 I pushed my changes up to Github (https://github.com/rtandy/xcompmgr)
 and uploaded a package to mentors
 (http://mentors.debian.net/package/xcompmgr), so please try it in case
 I made a mistake. The patch does seem to be applied by dpkg-source.
 Pedro, you wrote before that it behaved correctly for you, right?

 Considering that xcompmgr is more or less inactive upstream and still
 buggy, and at least two alternatives (compton and unagi) are now in
 Debian (besides some WMs gaining built-in compositors), I'm wondering
 whether spending time on xcompmgr is worth it, or whether RM/RoQA
 would be more appropriate. That said, if someone else still prefers
 xcompmgr over its alternatives, I'm happy to work on improving it.
 Looking forward to your response.

 Thanks
 Ryan

Hi Ryan,

Thanks for the offer. For my part, I've been using compton for over a year
and I'm very happy with it, so I don't think I will be going back to
xcompmgr.

Regards
Pedro


Bug#718682: liblcms1: Buffer overflows in Little CMS v1.19

2013-08-06 Thread Pedro Ribeiro
Thanks again for the feedback Alan.

I have uploaded the newer version of the patch to the redhat bugzilla
https://bugzilla.redhat.com/show_bug.cgi?id=991757#attach_783274

I had to create an intermediate buffer...


Bug#718682: liblcms1: Buffer overflows in Little CMS v1.19

2013-08-05 Thread Pedro Ribeiro
Thanks Sebastian.

Shameful that to fix one I introduced another...

Regards
Pedro
On Aug 4, 2013 11:08 AM, Sebastian Ramacher sramac...@debian.org wrote:

 Hi Pedro,

 thank you for reporting this security issue.

 On 2013-08-04 10:35:46, Pedro R wrote:
  diff -urb lcms-1.19.dfsg/samples/icctrans.c
 lcms-1.19.dfsg-patched/samples/icctrans.c
  --- lcms-1.19.dfsg/samples/icctrans.c 2009-10-30 15:57:45.0 +
  +++ lcms-1.19.dfsg-patched/samples/icctrans.c 2013-08-04
 10:31:36.608445149 +0100
  @@ -500,7 +500,7 @@
 
   Prefix[0] = 0;
   if (!lTerse)
  -sprintf(Prefix, %s=, C);
  +snprintf(Prefix, 20, %s=, C);
 
   if (InHexa)
   {
  @@ -648,7 +648,9 @@
   static
   void GetLine(char* Buffer)
   {
  -scanf(%s, Buffer);
  +size_t Buffer_size = sizeof(Buffer);
  +fgets(Buffer, (Buffer_size - 1), stdin);
  +sscanf(%s, Buffer);

 This sscanf call is wrong and introduces a format string vulnerability.
 sscanf's signature is int sscanf(const char* str, const char* fmt, ...)
 where str is used as input and format is the second argument.

 Regards
 --
 Sebastian Ramacher



Bug#718682: liblcms1: Buffer overflows in Little CMS v1.19

2013-08-05 Thread Pedro Ribeiro
Hi Sebastian,

sorry again for that fail. Here is the correct patch.

Regards,
Pedro


lcms-1.19-b0f-v2.patch
Description: Binary data


Bug#718682: liblcms1: Buffer overflows in Little CMS v1.19

2013-08-05 Thread Pedro Ribeiro
Thanks for that Alan - I had no idea, and have been looking at lots of C
code lately that has probably has the same mistakes. I will keep an eye on
that.

Ok this patch is turning into a trainwreck - to everyone please be careful
when applying it.
Actually my original idea was more to point to the vulnerabilities that to
actually provide a working patch, but since lcms1 is not maintained
actively any more I decided to produce this. I guess in the future I will
say any patches I send are provided only an example and should not be
applied direclty..

Regards,
Pedro

Kind regards,

*Pedro Ribeiro*
Information Security Consultant
Professional Bug Hunter


On 6 August 2013 00:35, Alan Coopersmith alan.coopersm...@oracle.comwrote:

  void GetLine(char* Buffer)
  {
 -scanf(%s, Buffer);
 +size_t Buffer_size = sizeof(Buffer);
 +fgets(Buffer, (Buffer_size - 1), stdin);
 +sscanf(Buffer,%s);


 sizeof() in the C language does not reach through a pointer to find the
 size of
 the underlying object - that code will always set Buffer_size to the size
 of
 the pointer itself (4 bytes on 32-bit, 8 bytes on 64-bit), not the size of
 the
 buffer the pointer is pointing to.

 [Noticed when someone suggested we apply the patch from Debian to our
 packages
  as well.]

 --
 -Alan Coopersmith-  alan.coopersm...@oracle.com
  Oracle Solaris Engineering - http://blogs.oracle.com/alanc



Bug#675977: Please update to new version

2013-05-21 Thread Pedro Ribeiro
Hi,

Too late now for Wheezy :)
Cyril, do you mind integrating Andrew's patch in the package and maybe
upgrading to the new version 13.0?

Thanks in advance! Please let me know if I can help in any way.

Regards,
Pedro


Bug#670921: Expected - gm45 h264 acceleration is not under active development...

2013-05-21 Thread Pedro Ribeiro
It seems that the gm45-h264 branch of vaapi is not under active development
- the tree hasn't been synced with the main tree since October 2012.

The best thing we can do is push upstream (Intel) to restart development on
h264. I remember this to be a major selling point at the time for the
X4500HD... It's a shame this is not implemented, as there are thousands of
4/5 year old laptops around still sporting this graphics card.

Regards,
Pedro


Bug#353783: Triaging old poedit bugs

2012-11-18 Thread Pedro Ribeiro
-BEGIN PGP SIGNED MESSAGE-
Hash: SHA1


Hello,

I'm pinging this (and other) poedit bugs to know if there any news or
more information regarding this problem.

This bug report states that: poedit: DB_RUNRECOVERY error

This bug is already tagged as unreproducible and, according to the
upstream bug report: http://www.poedit.net/trac/ticket/352 is already
solved for the version currently in unstable.

If there is no more information, i'll soon close the bug.

Thank you all

Pedro m42 Ribeiro
-BEGIN PGP SIGNATURE-
Version: GnuPG v1.4.12 (GNU/Linux)
Comment: Using GnuPG with Mozilla - http://enigmail.mozdev.org/

iQIcBAEBAgAGBQJQqRGaAAoJELLf3v2QhfNwx6cP/33PrcnrQB/c9+/M76twc9yd
boPVdJMdpfvbhP5zKJFSRMBkPTpflvE1kCGhvJjstpQ+Ga9CvnSMHuKeYeHSBImq
RB77S8lrSjwnrQBxqbZauQ7jdOPUNtRWlTIKnvldxvAiZME5wjaMnVdMT58+WLP9
onlrXEeQdMRnOAdV/vO3MsQwnB/D8EXvk58FLsNeQLp45UGect74CaomHEahsZdb
q6a+f8MmRqL4aG543sRYWP/dZEXCmK4+bNLUQ5tfho72Sf1yAqC4WLnsxam+yebf
uhc3RlXfB3M4Owy87hL/qwTpm73Fuad08L3C1CBM/TeS1iGocnxzQ+a26hmnqMm+
isI9eYIbS5uhKpWvF3ins1CiWp0ybBeV0iymALTaA7dQ/JDuyFr/C4KP6olZgIQf
mLUu9BYwF9/nrcEKTGcxeIeMglOkXF61+x5fkxNwwahPX6HKZYRZ1JSi263JZ3xn
Js4EkVxB4bjnqRPNuHSebJkK45FVVvHhRNiUCjDOJKTVCET814pN/uCIb3+a1fls
CT9S4SLeSwZN98hfeLNzh/o1J10g2ip11QFbQ2ydWoEbkV9WPdCVbQ5Sl9RmUkzl
2LMaMpXtt5BfhL/qm7MTLGTLnSzH2reyPJz6Dl7Zyo+7IYiG/vVgy0/mJazoFqTV
7pRi3DB9NgahgmTDwMJP
=9wij
-END PGP SIGNATURE-


-- 
To UNSUBSCRIBE, email to debian-bugs-dist-requ...@lists.debian.org
with a subject of unsubscribe. Trouble? Contact listmas...@lists.debian.org



Bug#503326: Triaging old poedit bugs

2012-11-18 Thread Pedro Ribeiro
-BEGIN PGP SIGNED MESSAGE-
Hash: SHA1

Hello,

I'm pinging this (and other) poedit bugs to know if there any news or
more information regarding this problem.

This bug report states that: Spanish po file corrections

It appears to me that the corrections for the spanish language are
already included in the last version of poedit.

If there is no more information, i'll soon close the bug.

Thank you all

Pedro m42 Ribeiro
-BEGIN PGP SIGNATURE-
Version: GnuPG v1.4.12 (GNU/Linux)
Comment: Using GnuPG with Mozilla - http://enigmail.mozdev.org/

iQIcBAEBAgAGBQJQqRsRAAoJELLf3v2QhfNwLDkP/iH6vBPvxaiUS8HBh5xiW8Wa
q2RCkRp2C5tL3dya8o7F4vUKSTSY9Lr4sJQc1iZi5usNeqqReWidOIMUwmBdS+Jx
aubDE/NPh2K2Xlmam04BR6J/b+Soyslp2ORDdaiXD8WukIY7py9b5SxY9ag8J7iu
eAvBGT3baZFa+IXwDmLLt6S0u9xS5ilCtjd3OSngboZZbY67FqaxZtkHW7U9Hatr
ya/jutspfpyUQE5tTBMKeA/7tHOoHtln6yxeFBwVGb1tbYivQ5LMVgDe4tIsyzPt
PIRn3+5LQ8WRIRmEzbwT7oFi53Evk3d8pF8nlRCnsRgVjJ2mw+CCXHt2ZkOxeGbc
AHaxxWFkvNzbBLtXHGmNimwy0i7eR9qIj1/fgyYRDv3h/tgFvhOg/CTIgcWF16tF
uHkwVNw0Vw4vCK6bSSoR07eOr2CV60sM8DyYvLkvfC6fBt5gieC7Bwb7iSaF2fJg
rgDr/0JR1vLSwdwhOhiejCEFuhJhlrvpbR3fZzDgX/2QxJwcTYHJxpH+kOpw1wtI
aSDLRBTsfCh0M3Q3lE/bmzJ2qyW1X1t2HIr84X09d4/pGqUIaXbrapGvmAezkBlI
C3zR2Cu7DYiXLryfOzBSW2QB6tjVJo9uk7hL7MW4U6qSbjQUnO57QfYRwYibDgND
85jZJkyn9rmZ94EGQFoS
=FpN7
-END PGP SIGNATURE-


-- 
To UNSUBSCRIBE, email to debian-bugs-dist-requ...@lists.debian.org
with a subject of unsubscribe. Trouble? Contact listmas...@lists.debian.org



Bug#692623: missing source files for src/cson_amalgamation.c

2012-11-13 Thread Pedro Ribeiro
-BEGIN PGP SIGNED MESSAGE-
Hash: SHA1

After a quick lookup, i think the source files for the
src/cson_amalgamation.c and src/cson_amalgamation.h files are kept in
the repository:

http://fossil.wanderinghorse.net/repos/cson/index.cgi/index

(a sub-project of fossil ?)

Cheers,
Pedro m42 Ribeiro
-BEGIN PGP SIGNATURE-
Version: GnuPG v1.4.12 (GNU/Linux)
Comment: Using GnuPG with Mozilla - http://enigmail.mozdev.org/

iQIcBAEBAgAGBQJQotuLAAoJELLf3v2QhfNw518P/iKI0cNfELkWCmOXr1GlwW6S
x+mh5sm2fHqLFRx1+ygDT/pnpskw3jUanSwyudlH7kVGREamuEHjeYe59Gr9LMJ/
NZTWCAmIUi3myU62O2lypqtP3xzTkkw6FVjGLbExZsFuyhC2TsFMFxDI7KczAe+M
HlH3m6UX6OeQtqqyHivVx8JLoOvRE1FOSSIjG8hb2omvzw1wXZMQygHfZF5Q8SOe
45RLKK5JKOXwEvgHgy6Jfgbg0Tn0/0QJqFbF7lYMuP9MruItoGjX6px1h6s1uScM
bC99R73jBHO/SXe2kq8IIrm66Q7e7XsDQdgZUVwqtLIzRTo3VunxyN/8oj9/py6g
5AXrbmFAVuB7ZI5b00kyC074zl7qizgKjx1uv+yQFk2ZaESg1VPoGg4XheQRnR+3
FEYFnuWXHV3s49rrmB91j/katS0z6rqPw/GRg1goLDTn0yrC1Urs4oq7qZZYuLsA
/gcPBx49Rn/ySs7JonR+L/jBXKnBknrWgjTHOpBFhct3cCzQ4ratD+5dcEVFWJf7
xE1+0Wq/+XD0e5heqgqBQtWjamqD5t599SXRpoybFXYg5rv4/rcJwsUGsbMNCvHH
ayU+yrqDC8Zryb0NdzCOkBUYui+ep1Pcq4sdJ8Bj535DrrZfTdrV5x3+NF53LWtp
Mric9Hc3/jNjU6FAjDjk
=QoBD
-END PGP SIGNATURE-


-- 
To UNSUBSCRIBE, email to debian-bugs-dist-requ...@lists.debian.org
with a subject of unsubscribe. Trouble? Contact listmas...@lists.debian.org



Bug#321164: poedit: Translator name not saved in utf8

2012-11-09 Thread Pedro Ribeiro
Hello,

I'm pinging this (and other) poedit bugs to know if there any news or
more information regarding this problem.

I can't reproduce this behaviour with the actual version (1.5.4-1) of
poedit.

If there is no more information, i'll soon close the bug.

Thank you all

Pedro m42 Ribeiro



signature.asc
Description: OpenPGP digital signature


Bug#692240: RFS: poedit/1.5.4-1

2012-11-05 Thread Pedro Ribeiro
Hi Norbert,

Thank you for your interest and comments. I've re-uploaded to mentors
a package which i think it solves both problems. The package was
correctly created on my running system and also on a pbuilder chroot.

Maybe you could take a look at it.

Best wishes,
Pedro m42 Ribeiro

On 3 November 2012 23:28, Norbert Preining prein...@logic.at wrote:
 Hi Pedro,

 On Sa, 03 Nov 2012, Pedro Ribeiro wrote:
   http://mentors.debian.net/package/poedit

 I am interested in that, since I have been building my own 1.5pre packages
 since quite some time... but ..

 * building in a clean cowbuilder does not succeed, could be a cowbuilder 
 issue:
 $ sudo /usr/sbin/cowbuilder --build --buildresult . poedit_1.5.4-1.dsc
 
 fakeroot is already the newest version.
 0 upgraded, 0 newly installed, 0 to remove and 0 not upgraded.
 I: Copying back the cached apt archive contents
 I: Copying source file
 I: copying [/home/norbert/Debian/poedit/poedit_1.5.4-1.dsc]
 I: copying [/home/norbert/Debian/poedit/poedit_1.5.4.orig.tar.gz]
 I: copying [/home/norbert/Debian/poedit/poedit_1.5.4-1.debian.tar.gz]
 I: copying [/home/norbert/Debian/poedit/SIGNATURE-]
 cp: cannot stat `/home/norbert/Debian/poedit/SIGNATURE-': No such 
 file or directory

 * building in the running system also dies:
 $ dpkg-buildpackage -us -uc -rfakeroot
 ...
dh_auto_clean
 Buildfile: /home/norbert/Debian/poedit/poedit-1.5.4/build.xml

 BUILD FAILED
 Target clean does not exist in the project Poedit.
 


 But I guess the same build failure would happen in the cowbuilder, too.

 Can you fix that, please?

 Best wishes

 Norbert
 
 Norbert Preiningpreining@{jaist.ac.jp, logic.at, debian.org}
 JAIST, Japan TeX Live  Debian Developer
 DSA: 0x09C5B094   fp: 14DF 2E6C 0307 BE6D AD76  A9C0 D2BF 4AA3 09C5 B094
 
 BOOKMeanwhile, the starship has landed on the surface
 of Magrathea and Trillian is about to make one of the most
 important statements of her life. Its importance is not
 immediately recognised by her companions.
 TRILL.  Hey, my white mice have escaped.
 ZAPHOD  Nuts to your white mice.
  --- Douglas Adams, The Hitchhikers Guide to the Galaxy


-- 
To UNSUBSCRIBE, email to debian-bugs-dist-requ...@lists.debian.org
with a subject of unsubscribe. Trouble? Contact listmas...@lists.debian.org



Bug#692240: RFS: poedit/1.5.4-1

2012-11-05 Thread Pedro Ribeiro
Hi,

Sorry, my bad on the tm compilation. Re-uploaded with corrected dependencies...

Took the chance to also include dpkg-buildflags to avoid a few lintian
warnings

On 5 November 2012 11:52, Norbert Preining prein...@logic.at wrote:
 Hi Pedro,

 On Mo, 05 Nov 2012, Pedro Ribeiro wrote:
 Maybe you could take a look at it.

 Still not optimal. Is it on purpose that you do build without
 translation memory?

 From my build process:
 ...
 checking for Berkeley DB = 4.7 (C++)... not found
 configure: WARNING: cannot find Berkeley DB = 4.7, Poedit will build w/o 
 translation memory feature
 ...
 Debugging information:  no
 Translation memory: no
 Spellchecking:  yes
 ...

 Doesn't that look like a missing build-dep? I see you are carrying the
 libdb-dev
 but it seems that nowadays poedit needs
 libdb++-dev
 because after installing that it works out nicely.

 Please fix this in your repository and reupload, thanks a lot!

 Best wishes

 Norbert
 
 Norbert Preiningpreining@{jaist.ac.jp, logic.at, debian.org}
 JAIST, Japan TeX Live  Debian Developer
 DSA: 0x09C5B094   fp: 14DF 2E6C 0307 BE6D AD76  A9C0 D2BF 4AA3 09C5 B094
 
 PITLOCHRY (n.)
 The background gurgling noise heard in Wimby Bars caused by people
 trying to get the last bubbles out of their milkshakes by slurping
 loudly through their straws.
 --- Douglas Adams, The Meaning of Liff


-- 
To UNSUBSCRIBE, email to debian-bugs-dist-requ...@lists.debian.org
with a subject of unsubscribe. Trouble? Contact listmas...@lists.debian.org



Bug#692240: RFS: poedit/1.5.4-1

2012-11-03 Thread Pedro Ribeiro
Package: sponsorship-requests
Severity: normal

Dear mentors,

  I am looking for a sponsor for my package poedit. I upgraded to
the latest upstream release.

  To access further information about this package, please visit the
following URL:

  http://mentors.debian.net/package/poedit

  Changes since the last upload:

  * New upstream release (Closes: #684924).
  * Update to Standards-Version 3.9.3
  * New homepage URL (Closes: #692048).


  Regards,
   Pedro Ribeiro


-- 
To UNSUBSCRIBE, email to debian-bugs-dist-requ...@lists.debian.org
with a subject of unsubscribe. Trouble? Contact listmas...@lists.debian.org



Bug#684924: poedit: Upstream version 1.5.2 available

2012-11-01 Thread Pedro Ribeiro
Hi all,

On 31 October 2012 19:26, intrigeri intrig...@debian.org wrote:
 Hi,

 Andika Triwidada wrote (14 Aug 2012 19:31:38 GMT) :
 poedit version 1.5.2 has been released, please update Debian package.

 Uploading a newer version of poedit to Debian experimental would
 enable testers to report which ones, of the bugs reported against
 Debian, were fixed upstream during the nearly two years since
 1.4.6 was uploaded to Debian.

 Pedro, what are your plans regarding this topic?


First, sorry for the delay, but i've had a few RL troubles.. .anyway..
i've just uploaded poedit 1.5.4 to debian mentors.  Since i'm not a DD
i'll need someone to sponsor the upload (bug report to follow, as soon
as package its avaliable on mentors.)

 In case time is the blocker, but you consider such an upload would be
 a fine idea, please consider tagging this bug help.

 I've found little activity from you on the bugs reported against
 poedit in Debian since you have adopted it, so perhaps you would
 welcome help, such as a co-maintainer, to maintain this package.
 Cc'ing Nobuhiro Iwamatsu, who was apparently involved in the adoption
 process two years ago, and might be interested in giving a hand in
 case it's needed.


I think co-maintaining the package might be a good idea, it might help
me making a better job. Not that this package  requires a lot of work,
but i still have a lot ot learn :)

 Thank you for your work on poedit in Debian so far :)

 Cheers!

 --
   intrigeri

Cheers,
Pedro m42 Ribeiro


-- 
To UNSUBSCRIBE, email to debian-bugs-dist-requ...@lists.debian.org
with a subject of unsubscribe. Trouble? Contact listmas...@lists.debian.org



Bug#675977: Andrew's patch fixes the issue but you need VMWare Workstation 9

2012-09-10 Thread Pedro Ribeiro
Hi,

Andrew's patch seems to fix the issue for me.

Matteo, I couldn't get it to work after compiling and got it to work after
doing the following:

- Upgrade from VMWare Workstation 7 to workstation 9 (alternatively use
Player 5)
- Installed libgl1-mesa-dri-experimental (might not be needed - I did this
and the above at the same time)

3D acceleration is working nicely now!


Bug#666464: Bug#682677: xcompmgr: Related to bug #582704

2012-08-29 Thread Pedro Ribeiro
On 8 August 2012 01:48, Ryan Tandy r...@nardis.ca wrote:

 Hi Pedro,

 On Tue, Aug 7, 2012 at 4:25 PM, Pedro R ped...@gmail.com wrote:
  A new package is ready for you to upload as described in bug #666464.

 I sent that package to Julien Cristau for review some time ago. He
 showed me a report of a regression in the new version of xcompmgr:
 https://bugs.freedesktop.org/show_bug.cgi?id=46285

 Julien understandably wasn't enthusiastic about uploading a new
 version known to contain a regression, and now that the freeze has
 begun I don't believe these bugs are likely to be fixed for Wheezy.

 thanks,
 Ryan


Hi Ryan and Julien,

A patch is available at that link to correct the issue with version 1.1.6.
I have tested the patch and seems to fix it, running a self compiled 1.1.6
+ the published patch.

Xcompmgr has a very long release cycle - is it still possible to put this
in Wheezy? I wouldn't call this bug a showstopper, but pretty much makes
this package unusable in a modern desktop.

Regards,
Pedro


Bug#666464: Bug#682677: xcompmgr: Related to bug #582704

2012-08-29 Thread Pedro Ribeiro
No problem Ryan.

Let's try to convince them - xcompmgr has an incredibly long release
cycle and version 1.1.5 is broken!

Regards,
Pedro

On 30/08/2012, Ryan Tandy r...@nardis.ca wrote:
 On Wed, Aug 29, 2012 at 5:11 PM, Pedro Ribeiro ped...@gmail.com wrote:
 A patch is available at that link to correct the issue with version 1.1.6.
 I
 have tested the patch and seems to fix it, running a self compiled 1.1.6
 +
 the published patch.

 Thanks for the update! That's exciting news. I'll add this patch to my
 github repository soon.

 Xcompmgr has a very long release cycle - is it still possible to put this
 in
 Wheezy? I wouldn't call this bug a showstopper, but pretty much makes
 this
 package unusable in a modern desktop.

 I'm very much not a member of the release team, but I don't estimate a
 very high probability of them letting a new release of xcompmgr in at
 this time.



-- 
To UNSUBSCRIBE, email to debian-bugs-dist-requ...@lists.debian.org
with a subject of unsubscribe. Trouble? Contact listmas...@lists.debian.org



Bug#685607: Powertop: New version available

2012-08-22 Thread Pedro Ribeiro
Package: powertop
Version: http://packages.debian.org/source/unstable/powertop2.0-0.2


PowerTOP 2.1 just got released. Mostly bugfixes, but the major updates are
support for GPU statistics support and 9 languages support.
https://01.org/powertop

Regards,
Pedro


Bug#679664: screenlets: New version available

2012-07-10 Thread Pedro Ribeiro
On 10 July 2012 22:15, Julien Lavergne julien.laver...@gmail.com wrote:
 Le 07/10/2012 09:36 AM, Pedro R a écrit :
 a new version 1.1.7 has been released. Can you please update the package?
 Please let me know if you need any help.
 It was commited to the SVN of python apps, but the new version doesn't
 contain any screenlets, just the core parts. Another tarball, so another
 and new source package is needed (indiv-screenlets). Until this one is
 not finished, the new version of screenlets will not be available.

 Regards,
 Julien Lavergne

Hi Julian,

sorry my bad, I just checked and the latest one is 0.1.6. In any case,
it is higher than the version currently packaged in unstable. There
separate indiv-screenlets package is also on version 0.1.6.
I just build and installed the Ubuntu packages on my Wheezy system and
all seems to work fine...

Regards,
Pedro Ribeiro



--
To UNSUBSCRIBE, email to debian-bugs-dist-requ...@lists.debian.org
with a subject of unsubscribe. Trouble? Contact listmas...@lists.debian.org



Bug#675991: closed by Nico Golde n...@debian.org (Bug#675991: fixed in openbox 3.5.0-4)

2012-06-05 Thread Pedro Ribeiro
Thank you for fixing this so quickly.

On 5 June 2012 07:06, Debian Bug Tracking System ow...@bugs.debian.org wrote:
 This is an automatic notification regarding your Bug report
 which was filed against the openbox package:

 #675991: openbox 3.5 crashes xorg server with gtk3 apps

 It has been closed by Nico Golde n...@debian.org.

 Their explanation is attached below along with your original report.
 If this explanation is unsatisfactory and you have not received a
 better one in a separate message then please contact Nico Golde 
 n...@debian.org by
 replying to this email.


 --
 675991: http://bugs.debian.org/cgi-bin/bugreport.cgi?bug=675991
 Debian Bug Tracking System
 Contact ow...@bugs.debian.org with problems


 -- Forwarded message --
 From: Nico Golde n...@debian.org
 To: 675991-cl...@bugs.debian.org
 Cc:
 Date: Tue, 05 Jun 2012 06:02:51 +
 Subject: Bug#675991: fixed in openbox 3.5.0-4
 Source: openbox
 Source-Version: 3.5.0-4

 We believe that the bug you reported is fixed in the latest version of
 openbox, which is due to be installed in the Debian FTP archive:

 gnome-panel-control_3.5.0-4_amd64.deb
  to main/o/openbox/gnome-panel-control_3.5.0-4_amd64.deb
 libobrender27_3.5.0-4_amd64.deb
  to main/o/openbox/libobrender27_3.5.0-4_amd64.deb
 libobt0_3.5.0-4_amd64.deb
  to main/o/openbox/libobt0_3.5.0-4_amd64.deb
 openbox-dev_3.5.0-4_amd64.deb
  to main/o/openbox/openbox-dev_3.5.0-4_amd64.deb
 openbox_3.5.0-4.debian.tar.gz
  to main/o/openbox/openbox_3.5.0-4.debian.tar.gz
 openbox_3.5.0-4.dsc
  to main/o/openbox/openbox_3.5.0-4.dsc
 openbox_3.5.0-4_amd64.deb
  to main/o/openbox/openbox_3.5.0-4_amd64.deb



 A summary of the changes between this version and the previous one is
 attached.

 Thank you for reporting the bug, which will now be closed.  If you
 have further comments please address them to 675...@bugs.debian.org,
 and the maintainer will reopen the bug report if appropriate.

 Debian distribution maintenance software
 pp.
 Nico Golde n...@debian.org (supplier of updated openbox package)

 (This message was generated automatically at their request; if you
 believe that there is a problem with it please contact the archive
 administrators by mailing ftpmas...@debian.org)


 -BEGIN PGP SIGNED MESSAGE-
 Hash: SHA1

 Format: 1.8
 Date: Tue, 05 Jun 2012 07:18:19 +0200
 Source: openbox
 Binary: openbox gnome-panel-control libobt0 libobrender27 openbox-dev
 Architecture: source amd64
 Version: 3.5.0-4
 Distribution: unstable
 Urgency: low
 Maintainer: Nico Golde n...@debian.org
 Changed-By: Nico Golde n...@debian.org
 Description:
  gnome-panel-control - command line utility to invoke GNOME panel run 
 dialog/menu
  libobrender27 - rendering library for openbox themes
  libobt0    - parsing library for openbox
  openbox    - standards compliant, fast, light-weight, extensible window 
 manage
  openbox-dev - development files for the openbox window manager
 Closes: 76 675991
 Changes:
  openbox (3.5.0-4) unstable; urgency=low
  .
   * Fix crash on unexpected NET_WM_MOVERESIZE_CANCEL messages
     (675991_fix_crash_from_gtk3_apps.patch; Closes: #675991).
   * Make undecorated windows place according to their undecorated
     state (76_wrong_undecorated_window_placement.patch; Closes: #76)
 Checksums-Sha1:
  9494c6cdabd4cc60f7ea3e5de320c51163a35244 1642 openbox_3.5.0-4.dsc
  909246950eb75b3ac4521e0e89e909e5919ecaad 38244 openbox_3.5.0-4.debian.tar.gz
  0306e8578ae8d601fbb66152288a47999f91f296 339434 openbox_3.5.0-4_amd64.deb
  cc8943aba2f5fe5e00354dbfd81f85ab0eab8a89 41078 
 gnome-panel-control_3.5.0-4_amd64.deb
  9ff4d5927c921e0907c071c1b4fe09a00d6a721c 66318 libobt0_3.5.0-4_amd64.deb
  cbe646a0b3534e0d74e6970b689aea88d8f72f86 77842 
 libobrender27_3.5.0-4_amd64.deb
  e202225f11e5a479badd02470cf3148d06ec0fb2 123596 openbox-dev_3.5.0-4_amd64.deb
 Checksums-Sha256:
  5e12ba2f069cff6d5133fd5aa3d2dfd1acf58fe79dfd55d180e021c009c3 1642 
 openbox_3.5.0-4.dsc
  ef26db37efea68f418b61d25ff0bd6efb3cf7593f6cebadc04f72ecf2f4788b3 38244 
 openbox_3.5.0-4.debian.tar.gz
  41c4753ad332f73f8852d52cff841a10c21bab2ba73302c8e45a7811f62ec319 339434 
 openbox_3.5.0-4_amd64.deb
  499c4e9881be2f7a397a8667963760b0b02eb4f7f4508a7091b5300040980b91 41078 
 gnome-panel-control_3.5.0-4_amd64.deb
  8adf21924b3509dc853e10d1e0f67a8cdefd489c0abee238b72260f7d73f8e28 66318 
 libobt0_3.5.0-4_amd64.deb
  addcaa34efdda1b117cc6b2f3f6444fdc12c4b878c4a54a821c4a8dcda1080e2 77842 
 libobrender27_3.5.0-4_amd64.deb
  7b9633e92daae4d23f38aa2b2cbfe88f1b6c028f1f9d3b203081f5066f790775 123596 
 openbox-dev_3.5.0-4_amd64.deb
 Files:
  914e48480d3609ff9f61a85f8a28e1b7 1642 x11 optional openbox_3.5.0-4.dsc
  be7b83057b712bd12ccc3a16562430f8 38244 x11 optional 
 openbox_3.5.0-4.debian.tar.gz
  f9ccf00bc47995e52153565a1eba04d2 339434 x11 optional 
 openbox_3.5.0-4_amd64.deb
  22855f69198078c676b31b9dec0bd67d 41078 x11 optional 
 gnome-panel-control_3.5.0-4_amd64.deb
  5f247c97af6e0541597aa42265502e60 66318 

Bug#664274: glance: [INTL:pt] Updated Portuguese translation for debconf messages

2012-03-22 Thread Pedro Ribeiro
I guess this is ok now

Pedro m42 Ribeiro


pt.po.gz
Description: GNU Zip compressed data


Bug#611034: dnsprogs: [INTL:pt] Updated Portuguese translation for debconf messages

2011-01-26 Thread Pedro Ribeiro
-BEGIN PGP SIGNED MESSAGE-
Hash: SHA1

On 26-01-2011 01:41, Martin Michlmayr wrote:
 * Miguel Figueiredo el...@debianpt.org [2011-01-24 23:05]:
 Package: dnsprogs
 
 I cannot find dnsprogs anywhere in Debian.  Any idea where it's from
 or what it's really called?

The package is called dnprogs and *NOT* dnsprogs... I guess the uploader
made some typo...

Its a source package: http://packages.debian.org/src:dbprogs

Pedro m42 Ribeiro
-BEGIN PGP SIGNATURE-
Version: GnuPG v1.4.10 (GNU/Linux)
Comment: Using GnuPG with Mozilla - http://enigmail.mozdev.org/

iQIcBAEBAgAGBQJNP9bzAAoJELLf3v2QhfNwgLAP/jvwKMRSZOfvA54VRPfnY16E
WdQImrQRmEsK8ZKz+6bIc59rhXaNHvhWuxBNiX9BQ3xrf1lemalmQmnKGSfS/TA3
lJQ2Gxn4/D+pjmiDMjIMq7zQaXqesnL0e1envZAsfXs04THCNwmKS8mqg+kPQLUt
UBPTGtS2gs6EPRnGHBxY6tCwXdBsaWF8/fgr5Bhz3JrXLzggqEHC6umnNKbgc7Gp
24dFDdb+RlEbXJsNtRn3GlKKsXdvreF5f/UWmDcG2xBr0Rn2SXCLPe5KOZlTYIVR
AYKdVTkhyiau3cfA7wKNbmh6adyjF/7t0Zuq8ip5H5749HQICvrKhCCX3sfEFswg
kWf9FxhuxHQ0NZUqpKz/6PtOB3NIMqAXdB9YxQDzrVLZmQ2BA5PU8+FWcPVjTGlG
I6Mm9DXt7xcGlK4fKPoa4XM5aE6l779PhUjMpcMARdl6wWjZG0pS8d1RLAzLqVa+
5IfjZyJmtXG89Cor+lYwUEFITBeqCrytZIBmBL4WIE21/GQ4zRtndI+XwOj9kGMC
3hvJ3EiaHFhH5KGu5yX0DNEawaieXe8YofluboUMsXceUhnjBA1VgJeaS9/rYLYl
cgyxWEjHVw+An2U64sHdHaqWN0iuEQRAVoXWMU8jgFqhvmErSI7s3IUK8BoX6/mu
mv/RXklBatp6U/PDs8no
=hb0r
-END PGP SIGNATURE-



-- 
To UNSUBSCRIBE, email to debian-bugs-dist-requ...@lists.debian.org
with a subject of unsubscribe. Trouble? Contact listmas...@lists.debian.org



Bug#585648: update on squeeze

2010-10-01 Thread Pedro Ribeiro
Hi,

the version in Squeeze still has this bug. I have been avoiding the
package upgrade for a month now because of this.

Is the package going to be introduced in Squeeze or should I just upgrade?

Thanks for the help.
Pedro



-- 
To UNSUBSCRIBE, email to debian-bugs-dist-requ...@lists.debian.org
with a subject of unsubscribe. Trouble? Contact listmas...@lists.debian.org



Bug#543856: poedit -- gettext catalog editor

2010-08-03 Thread Pedro Ribeiro
Since almost a year has passed since the last message to this bug,
i'll take over poedit maintenance.

CC'ing debian-i18n and the previous poster.


Cheers,
Pedro m42 Ribeiro



-- 
To UNSUBSCRIBE, email to debian-bugs-dist-requ...@lists.debian.org
with a subject of unsubscribe. Trouble? Contact listmas...@lists.debian.org



Bug#589689: transition to libjack-jackd2-0 breaks many packages

2010-07-20 Thread Pedro Ribeiro
 I don't want to downgrade to jackd2.

 This doesn't make sense. I assume that you meant jackd1 here.


Yes, that's what I meant.

 Yes, that's why we want to ship it as default jackd flavor in squeeze.
 However, we discovered that squeeze is better off with both jackd1 and
 jackd2 versions, and have applications compiled against libjack0 from
 the jackd1 package.


Can't you run apps compiled against libjack0 with libjack-jackd2-0? That
probaby works, since the interface is the same. Or am I completely off the
mark here?

 Those packages need to be rebuilt against the updated jackd1 package.
 The release team is already on it with scheduling binNMUs. I'm therefore
 reassigning this issue to release.debian.org so that we can reuse this
 bug for tracking purposes.

 please CC pkg-multimedia-maintain...@lists.alioth.debian.org in your
followups.

 --
 Gruesse/greetings,
 Reinhard Tartler, KeyID 945348A4


Thanks for letting me know, and thank you for your work in Debian.

Regards,
Pedro


Bug#586677: grub-common: fails to update menu.lst with grub-legacy; new version in unstable fixes it

2010-06-21 Thread Pedro Ribeiro
On 21 June 2010 17:18, Colin Watson cjwat...@debian.org wrote:
 On Mon, Jun 21, 2010 at 04:53:51PM +0100, Pedro R wrote:
 Package: grub-common
 Version: 1.98+20100617-1
           ^^^
 Severity: important
 Tags: squeeze

 Hi,

 the current version of grub-common in testing (1.98-1) breaks update-grub 
 when
 using grub-legacy.
 It does nothing, all it says is:

 /boot/grub# update-grub
 Searching for GRUB installation directory ... found: /boot/grub
 /boot/grub#


 Updating to the version in unstable (1.98-20100617-1) solves this problem.

 Your Version: above doesn't seem to make sense in light of this comment.
 The Version: field should be the version in which you found the bug, not
 a version that seems to fix it.

 I'm not sure what might have fixed this, anyway.  Could you please run:

  which update-grub
  bash -x /usr/sbin/update-grub

 ... and show me the output?

 Thanks,

 --
 Colin Watson                                       [cjwat...@debian.org]


Sorry, I sent this bug report after upgrading to the unstable version.

I'm sending the output of the unstable version (update-grub-good) and
the output of the testing version (update-grub-bad).

Regards,
Pedro


update-grub-bad
Description: Binary data


update-grub-good
Description: Binary data


Bug#583957:

2010-06-05 Thread Pedro Ribeiro
reopen 583957 !

This bug appeared to me with 0.9.7-1. I did not have it on version
0.9.5, therefore I am reopening.

I have filed this bug at
http://sourceforge.net/tracker/?func=detailatid=801864aid=3011292group_id=156956
while this bug was still open, but forgot to reply here.

My stack trace is below:
Program received signal SIGSEGV, Segmentation fault.
0x773dd6be in gtk_scrolled_window_get_vadjustment () from
/usr/lib/libgtk-x11-2.0.so.0
(gdb) where
#0 0x773dd6be in gtk_scrolled_window_get_vadjustment () from
/usr/lib/libgtk-x11-2.0.so.0
#1 0x0040f480 in fm_main_win_chdir (win=0x7a6d20,
path=0x67dc90) at main-win.c:901
#2 0x761a547e in g_closure_invoke () from /usr/lib/libgobject-2.0.so.0
#3 0x761bb3f7 in ?? () from /usr/lib/libgobject-2.0.so.0
#4 0x761bca76 in g_signal_emit_valist () from
/usr/lib/libgobject-2.0.so.0
#5 0x761bcfc3 in g_signal_emit () from /usr/lib/libgobject-2.0.so.0
#6 0x77889d20 in ?? () from /usr/lib/libfm-gtk.so.0
#7 0x761a547e in g_closure_invoke () from /usr/lib/libgobject-2.0.so.0
#8 0x761bb040 in ?? () from /usr/lib/libgobject-2.0.so.0
#9 0x761bca76 in g_signal_emit_valist () from
/usr/lib/libgobject-2.0.so.0
#10 0x761bcfc3 in g_signal_emit () from /usr/lib/libgobject-2.0.so.0
#11 0x77889eb5 in ?? () from /usr/lib/libfm-gtk.so.0
#12 0x77380c08 in ?? () from /usr/lib/libgtk-x11-2.0.so.0
#13 0x761a547e in g_closure_invoke () from /usr/lib/libgobject-2.0.so.0
#14 0x761bb040 in ?? () from /usr/lib/libgobject-2.0.so.0
#15 0x761bc8bd in g_signal_emit_valist () from
/usr/lib/libgobject-2.0.so.0
#16 0x761bcfc3 in g_signal_emit () from /usr/lib/libgobject-2.0.so.0
#17 0x77496f6f in ?? () from /usr/lib/libgtk-x11-2.0.so.0
#18 0x773790f3 in gtk_propagate_event () from
/usr/lib/libgtk-x11-2.0.so.0
#19 0x7737a1ab in gtk_main_do_event () from /usr/lib/libgtk-x11-2.0.so.0
#20 0x76dd23bc in ?? () from /usr/lib/libgdk-x11-2.0.so.0
#21 0x75efa6c2 in g_main_context_dispatch () from /lib/libglib-2.0.so.0
#22 0x75efe538 in ?? () from /lib/libglib-2.0.so.0
#23 0x75efea45 in g_main_loop_run () from /lib/libglib-2.0.so.0
#24 0x7737a647 in gtk_main () from /usr/lib/libgtk-x11-2.0.so.0
#25 0x0040df5c in main (argc=1, argv=0x7fffe5d8) at pcmanfm.c:136

Regards,
Pedro



-- 
To UNSUBSCRIBE, email to debian-bugs-dist-requ...@lists.debian.org
with a subject of unsubscribe. Trouble? Contact listmas...@lists.debian.org



Bug#582587: lenny is also affected

2010-05-21 Thread Pedro Ribeiro
found 582587 1.7.0-1



-- 
To UNSUBSCRIBE, email to debian-bugs-dist-requ...@lists.debian.org
with a subject of unsubscribe. Trouble? Contact listmas...@lists.debian.org



Bug#582590: lenny is also affected

2010-05-21 Thread Pedro Ribeiro
found 582590 3.0.6-3



-- 
To UNSUBSCRIBE, email to debian-bugs-dist-requ...@lists.debian.org
with a subject of unsubscribe. Trouble? Contact listmas...@lists.debian.org



Bug#540941: Adopting package libnjb5

2010-05-21 Thread Pedro Ribeiro
On 20 May 2010 20:54, Sandro Tosi mo...@debian.org wrote:
 Hi Pedro,
 (dropping debian-devel, not the right place to ask it, and adding the
 orphaning bug in CC)

 On Mon, May 17, 2010 at 22:45, Pedro Ribeiro ped...@gmail.com wrote:
 Hi all,

 I would like to adopt package libnjb5, which is up for adoption due to
 its maintainer being MIA.

 that's nice, thanks!

 However, I'm not a DD or a DM. I've been contributing work to Debian
 for a few months now as a member of the testing security team, but my
 work is unimportant - I simply sort CVE's and file bug reports for
 affected packages - and probably nobody will vouch for me.

 Well, don't diminish your activities at Debian: every work is
 important (even the smallest/ungrateful ones) so thanks for what you
 do!

 Is there any chance a developer could adopt me and sign my packages?

 Mh, it's doesn't exactly work like this: at the beginning, you start
 taking maintenance of package, and when you need someone to upload the
 package you write to debian-ment...@lists.debian.org asking for
 sponsorship.

 This is not a critical package, but some people still rely on it for
 using their old Nomad devices (like me). There is some bugfixing to
 due (patches are already in the bugzilla) and there is a new upstream
 version.

 Are you comfortable with shared libraries management? sonames bump,
 rpath, and so on, triggers something or you don't know what they are?
 shlibs are not an easy packages to starts with.

 This doesn't mean to discourage you (we'd be happy to have a caring
 maintainer for each package), but only to warn you that you'll have to
 learn the debian packaging method + who to handle shlibs, and that
 means a lot, and could pose the bar too high.

 Regards,
 --
 Sandro Tosi (aka morph, morpheus, matrixhasu)
 My website: http://matrixhasu.altervista.org/
 Me at Debian: http://wiki.debian.org/SandroTosi


Thanks for the answer.

Those names do not ring a bell. But if nobody adopts it, its not going
into squeeze right?
I can start by adopting a few other packages I use, but I can also
learn quite fast.

Regards,
Pedro



-- 
To UNSUBSCRIBE, email to debian-bugs-dist-requ...@lists.debian.org
with a subject of unsubscribe. Trouble? Contact listmas...@lists.debian.org



Bug#582329: udev: strange warnings after upgrade to 154.1

2010-05-20 Thread Pedro Ribeiro
On 20 May 2010 01:21, Pedro Ribeiro ped...@gmail.com wrote:
 On 20 May 2010 01:02, Marco d'Itri m...@linux.it wrote:
 On May 20, Pedro R ped...@gmail.com wrote:

 Im getting this strange errors after upgrading to udev 154.1 from 153.2
 And I still wonder why you determined this is a udev bug.

 --
 ciao,
 Marco

 -BEGIN PGP SIGNATURE-
 Version: GnuPG v1.4.10 (GNU/Linux)

 iEYEARECAAYFAkv0fC8ACgkQFGfw2OHuP7EQnwCdFgFAM/oUzTV0R0pqSiL3c8qq
 Fm0Amwdt7jsojtJo8SQjeJB4JvqpI5BO
 =ufPD
 -END PGP SIGNATURE-



 Hi,

 I decided to file it with udev because downgrading it solved the
 warnings. The warnings I'm referring to are the ones marked
 udev-work[PID].

 I believe you, but do you have any idea what is the cause of those warnings?

 Regards,
 Pedro


Nevermind I found the problem. Removing 55-dm-rules.conf solves the
problem and does not appear to have any difference in my system.

Regards,
Pedro



-- 
To UNSUBSCRIBE, email to debian-bugs-dist-requ...@lists.debian.org
with a subject of unsubscribe. Trouble? Contact listmas...@lists.debian.org



Bug#582329: udev: strange warnings after upgrade to 154.1

2010-05-19 Thread Pedro Ribeiro
On 20 May 2010 01:02, Marco d'Itri m...@linux.it wrote:
 On May 20, Pedro R ped...@gmail.com wrote:

 Im getting this strange errors after upgrading to udev 154.1 from 153.2
 And I still wonder why you determined this is a udev bug.

 --
 ciao,
 Marco

 -BEGIN PGP SIGNATURE-
 Version: GnuPG v1.4.10 (GNU/Linux)

 iEYEARECAAYFAkv0fC8ACgkQFGfw2OHuP7EQnwCdFgFAM/oUzTV0R0pqSiL3c8qq
 Fm0Amwdt7jsojtJo8SQjeJB4JvqpI5BO
 =ufPD
 -END PGP SIGNATURE-



Hi,

I decided to file it with udev because downgrading it solved the
warnings. The warnings I'm referring to are the ones marked
udev-work[PID].

I believe you, but do you have any idea what is the cause of those warnings?

Regards,
Pedro



-- 
To UNSUBSCRIBE, email to debian-bugs-dist-requ...@lists.debian.org
with a subject of unsubscribe. Trouble? Contact listmas...@lists.debian.org



Bug#559964: lomoco: udev rules are out of date and hence do not function

2010-05-14 Thread Pedro Ribeiro
Hi,
I'm sending this email to you because of Debian bug #559964.

I believe that the patches given by Andreas Schneider are to apply to
lomoco source and not the Debian package.

I have included a patch which applies directly to the udev rule
included in the Debian package. It works on my mx510 exactly as the
previous rules and udev no longer gives that warning.

Paul can you please test it so we can have one more confirmation? And
can you please also test Andreas patch for the mx518-2?

To Thibaut, if you want to orphan the package I can pick it up,
although I'm not a Debian developer.

Regards,
Pedro
--- 025_lomoco.rules-old	2010-05-15 01:11:05.638809923 +0100
+++ 025_lomoco.rules	2010-05-15 01:08:44.746936058 +0100
@@ -5,70 +5,70 @@
 SUBSYSTEM != usb_device, GOTO=lomoco_end
 
 # M-BJ58,  Wheel Mouse Optical
-SYSFS{idVendor}==046d, SYSFS{idProduct}==c00e, RUN+=udev.lomoco
+ATTRS{idVendor}==046d, ATTRS{modelID}==c00e, RUN+=udev.lomoco
 
 # M-BJ79,  MouseMan Traveler
-SYSFS{idVendor}==046d, SYSFS{idProduct}==c00f, RUN+=udev.lomoco
+ATTRS{idVendor}==046d, ATTRS{modelID}==c00f, RUN+=udev.lomoco
 
 # M-BL63B,  MouseMan Dual Optical
-SYSFS{idVendor}==046d, SYSFS{idProduct}==c012, RUN+=udev.lomoco
+ATTRS{idVendor}==046d, ATTRS{modelID}==c012, RUN+=udev.lomoco
 
 # M-BS81A,  MX510 Optical Mouse
-SYSFS{idVendor}==046d, SYSFS{idProduct}==c01d, RUN+=udev.lomoco
+ATTRS{idVendor}==046d, ATTRS{modelID}==c01d, RUN+=udev.lomoco
 
 # M-BS81A,  MX518 Optical Mouse
-SYSFS{idVendor}==046d, SYSFS{idProduct}==c01e, RUN+=udev.lomoco
+ATTRS{idVendor}==046d, ATTRS{modelID}==c01e, RUN+=udev.lomoco
 
 # M-BP82,  MX300 Optical Mouse
-SYSFS{idVendor}==046d, SYSFS{idProduct}==c024, RUN+=udev.lomoco
+ATTRS{idVendor}==046d, ATTRS{modelID}==c024, RUN+=udev.lomoco
 
 # M-BP86,  MX310 Optical Mouse
-SYSFS{idVendor}==046d, SYSFS{idProduct}==c01b, RUN+=udev.lomoco
+ATTRS{idVendor}==046d, ATTRS{modelID}==c01b, RUN+=udev.lomoco
 
 # M-BP81A,  MX500 Optical Mouse
-SYSFS{idVendor}==046d, SYSFS{idProduct}==c025, RUN+=udev.lomoco
+ATTRS{idVendor}==046d, ATTRS{modelID}==c025, RUN+=udev.lomoco
 
 # M-UT58A,  iFeel Mouse (silver)
-SYSFS{idVendor}==046d, SYSFS{idProduct}==c031, RUN+=udev.lomoco
+ATTRS{idVendor}==046d, ATTRS{modelID}==c031, RUN+=udev.lomoco
 
 # M-UAC113,  G5 Laser Gaming Mouse
-SYSFS{idVendor}==046d, SYSFS{idProduct}==c041, RUN+=udev.lomoco
+ATTRS{idVendor}==046d, ATTRS{modelID}==c041, RUN+=udev.lomoco
 
 # C-BA4-MSE,  Mouse Receiver
-SYSFS{idVendor}==046d, SYSFS{idProduct}==c501, RUN+=udev.lomoco
+ATTRS{idVendor}==046d, ATTRS{modelID}==c501, RUN+=udev.lomoco
 
 # C-UA3-DUAL,  Dual Receiver
-SYSFS{idVendor}==046d, SYSFS{idProduct}==c502, RUN+=udev.lomoco
+ATTRS{idVendor}==046d, ATTRS{modelID}==c502, RUN+=udev.lomoco
 
 # C-UJ16A,  Receiver for MX900 Receiver
-SYSFS{idVendor}==046d, SYSFS{idProduct}==c503, RUN+=udev.lomoco
+ATTRS{idVendor}==046d, ATTRS{modelID}==c503, RUN+=udev.lomoco
 
 # C-BD9-DUAL,  Receiver for Cordless Freedom Optical
-SYSFS{idVendor}==046d, SYSFS{idProduct}==c504, RUN+=udev.lomoco
+ATTRS{idVendor}==046d, ATTRS{modelID}==c504, RUN+=udev.lomoco
 
 # C-BG17-DUAL,  Receiver for Cordless Elite Duo
-SYSFS{idVendor}==046d, SYSFS{idProduct}==c505, RUN+=udev.lomoco
+ATTRS{idVendor}==046d, ATTRS{modelID}==c505, RUN+=udev.lomoco
 
 # C-BF16-MSE,  Receiver for MX700 Optical Mouse
-SYSFS{idVendor}==046d, SYSFS{idProduct}==c506, RUN+=udev.lomoco
+ATTRS{idVendor}==046d, ATTRS{modelID}==c506, RUN+=udev.lomoco
 
 # C-BA4-MSE,  Receiver for Cordless Optical TrackMan
-SYSFS{idVendor}==046d, SYSFS{idProduct}==c508, RUN+=udev.lomoco
+ATTRS{idVendor}==046d, ATTRS{modelID}==c508, RUN+=udev.lomoco
 
 # C-BJ27-MSE,  Receiver for Cordless Optical Mouse for Notebooks
-SYSFS{idVendor}==046d, SYSFS{idProduct}==c50a, RUN+=udev.lomoco
+ATTRS{idVendor}==046d, ATTRS{modelID}==c50a, RUN+=udev.lomoco
 
 # C-UF15,  Receiver for Cordless Presenter
-SYSFS{idVendor}==046d, SYSFS{idProduct}==c702, RUN+=udev.lomoco
+ATTRS{idVendor}==046d, ATTRS{modelID}==c702, RUN+=udev.lomoco
 
 # C-BQ16A,  Receiver for diNovo Media Desktop
-SYSFS{idVendor}==046d, SYSFS{idProduct}==c704, RUN+=udev.lomoco
+ATTRS{idVendor}==046d, ATTRS{modelID}==c704, RUN+=udev.lomoco
 
 # C-BN34,  Receiver for MX1000 Laser
-SYSFS{idVendor}==046d, SYSFS{idProduct}==c50e, RUN+=udev.lomoco
+ATTRS{idVendor}==046d, ATTRS{modelID}==c50e, RUN+=udev.lomoco
 
 # C-BO34,  Receiver for Cordless Desktop MX3100 Laser
-SYSFS{idVendor}==046d, SYSFS{idProduct}==c512, RUN+=udev.lomoco
+ATTRS{idVendor}==046d, ATTRS{modelID}==c512, RUN+=udev.lomoco
 
 
 LABEL=lomoco_end


Bug#520324: thanks

2010-05-06 Thread Pedro Ribeiro
Thanks a lot for your effort, I really appreciate it.

Regards,
Pedro



-- 
To UNSUBSCRIBE, email to debian-bugs-dist-requ...@lists.debian.org
with a subject of unsubscribe. Trouble? Contact listmas...@lists.debian.org



Bug#579069: openvas-plugins-dfsg: [INTL:pt] Updated Portuguese translation for debconf messages

2010-04-24 Thread Pedro Ribeiro
Package: openvas-plugins-dfsg
Version: 1:20100320-1
Tags: l10n, patch
Severity: wishlist

Updated Portuguese translation for openvas-plugins-dfsg's debconf messages.
Translator: Américo Monteiro a_monte...@netcabo.pt
Feel free to use it.

For translation updates please contact 'Last Translator' or the
Portuguese Translation Team traduz _at_ debianpt.org.


-- 
Best regards,

Pedro Ribeiro
Traduz - Portuguese Translation Team
http://www.DebianPT.org
# Translation of openvas-plugins-dfsg debconf messages to Portuguese
# Copyright (C) 2010 the openvas-plugins-dfsg's copyright holder
# This file is distributed under the same license as the openvas-plugins-dfsg package.
#
# Américo Monteiro a_monte...@netcabo.pt, 2010.
msgid 
msgstr 
Project-Id-Version: openvas-plugins-dfsg 1:20100320-1\n
Report-Msgid-Bugs-To: openvas-plugins-d...@packages.debian.org\n
POT-Creation-Date: 2010-03-20 03:34+0100\n
PO-Revision-Date: 2010-04-20 23:52+0100\n
Last-Translator: Américo Monteiro a_monte...@netcabo.pt\n
Language-Team: Portuguese tra...@debianpt.org\n
MIME-Version: 1.0\n
Content-Type: text/plain; charset=UTF-8\n
Content-Transfer-Encoding: 8bit\n
X-Generator: Lokalize 1.0\n
Plural-Forms: nplurals=2; plural=(n != 1);\n

#. Type: boolean
#. Description
#: ../openvas-plugins-dfsg.templates:1001
msgid Do you want to remove /usr/lib/openvas/plugins?
msgstr Deseja remover /usr/lib/openvas/plugins?

#. Type: boolean
#. Description
#: ../openvas-plugins-dfsg.templates:1001
msgid 
The /usr/lib/openvas/plugins directory still exists.  This might occur if 
you downloaded additional plugins into it while using an old OpenVAS version.
msgstr 
O directório /usr/lib/openvas/plugins ainda existe. Isto pode acontecer se 
você descarregou plugins adicionais usando uma versão antiga do OpenVAS.

#. Type: boolean
#. Description
#. Type: boolean
#. Description
#: ../openvas-plugins-dfsg.templates:1001
#: ../openvas-plugins-dfsg.templates:2001
msgid 
The package can remove it now or you can select to remove it later on 
manually.
msgstr 
O pacote pode removê-los agora ou você pode escolher removê-los mais tarde 
manualmente.

#. Type: boolean
#. Description
#: ../openvas-plugins-dfsg.templates:2001
msgid Do you want to remove /var/lib/openvas/plugins?
msgstr Deseja remover /var/lib/openvas/plugins?

#. Type: boolean
#. Description
#: ../openvas-plugins-dfsg.templates:2001
msgid 
The /var/lib/openvas/plugins directory still exists. This might occur if you 
have used the OpenVAS' openvas-nvt-sync script to update and install new 
plugins in that location or because the openvas-server package is still 
installed and has not been fully purged.
msgstr 
O directório /var/lib/openvas/plugins ainda existe. Isto pode acontecer se 
você usou o script openvas-nvt-sync do OpenVAS para actualizar e instalar 
novos plugins nessa localização ou porque o pacote openvas-server ainda está 
instalado e não foi completamente purgado.



Bug#362165: Portuguese debian mailling lists

2010-04-15 Thread Pedro Ribeiro
Hello,

Any update on this subject ?

Pedro m42 Ribeiro



-- 
To UNSUBSCRIBE, email to debian-bugs-dist-requ...@lists.debian.org
with a subject of unsubscribe. Trouble? Contact listmas...@lists.debian.org



Bug#520324: what about squeeze?

2010-04-15 Thread Pedro Ribeiro
Is there any possibility to get this into Squeeze?

Regards



-- 
To UNSUBSCRIBE, email to debian-bugs-dist-requ...@lists.debian.org
with a subject of unsubscribe. Trouble? Contact listmas...@lists.debian.org



Bug#576306: sandboxgamemaker: [INTL: pt] Portuguese debconf templates translation

2010-04-02 Thread Pedro Ribeiro
Package: sandboxgamemaker
Version: 2.5+dfsg-4
Severity: wishlist
Tags: patch l10n

*** Please type your report below this line ***

Updated portuguese translation for sandboxgamemaker' debconf messages.
Translator: Pedro Ribeiro p.m42.ribe...@gmail.com
Feel free to use it.

For translation updates please contact 'Last Translator' or the
Portuguese Translation Team traduz _at_ debianpt.org

--
Best Regards.

On behalf of Traduz - Portuguese Translation Team
http://www.DebianPT.org
# sandboxgamemaker debconf portuguese messages
# Copyright (C) 2010 THE sandboxgamemaker'S COPYRIGHT HOLDER
# This file is distributed under the same license as the sandboxgamemaker
# package.
# Pedro Ribeiro p.m42.ribe...@gmail.com, 2010
#
msgid 
msgstr 
Project-Id-Version: sandboxgamemaker 2.5+dfsg-4\n
Report-Msgid-Bugs-To: sandboxgamema...@packages.debian.org\n
POT-Creation-Date: 2010-03-08 23:00-0500\n
PO-Revision-Date: 2010-04-01 22:42+0100\n
Last-Translator: Pedro Ribeiro p.m42.ribe...@gmail.com\n
Language-Team: Portuguese tra...@debianpt.org\n
MIME-Version: 1.0\n
Content-Type: text/plain; charset=UTF-8\n
Content-Transfer-Encoding: 8bit\n

#. Type: boolean
#. Description
#: ../templates:1001
msgid Would you like to install the default content?
msgstr Quer instalar o conteúdo predefinido?

#. Type: boolean
#. Description
#: ../templates:1001
msgid 
Platinum Arts, LLC, distributes default game content over the internet. This 
content is non-DFSG,  200 MB, and will ovewrite the game content already 
in /usr/share/sandboxgamemaker. The answer to this question will be 
remembered for future upgrades and will download new content with new 
releases.
msgstr 
A Platinum Arts, LLC, distribui o conteúdo de jogo predefinido através da 
internet. Este conteúdo não é compatível com as DFSG, ocupa mais de 200MB 
e vai sobrepor-se ao que estiver em /usr/share/sandboxgamemaker. A resposta 
a esta pergunta será lembrada para actualizações futuras e irá fazer o 
download de novo conteúdo com novas versões.


Bug#574865: The patch follows

2010-03-21 Thread Pedro Ribeiro
oops, it seems the patch was lost along the way here it goes.
# Portuguese translation of webfs's debconf messages.
# 2005, Rui Branco ru...@netcabo.pt
# 2005-11-08 - Rui Branco ru...@netcabo.pt
# 2007-04-21 - Rui Branco ru...@netcabo.pt - 22f2u
# 2010, Pedro Ribeiro p.m42.ribe...@gmail.com
#
#
msgid 
msgstr 
Project-Id-Version: webfs 1.21+ds1-3\n
Report-Msgid-Bugs-To: we...@packages.debian.org\n
POT-Creation-Date: 2010-03-09 07:07+0100\n
PO-Revision-Date: 2010-03-19 21:00+\n
Last-Translator: Pedro Ribeiro p.m42.ribe...@debianpt.org\n
Language-Team: Portuguese tra...@debianpt.org\n
MIME-Version: 1.0\n
Content-Type: text/plain; charset=UTF-8\n
Content-Transfer-Encoding: 8bit\n

#. Type: string
#. Description
#: ../templates:2001
#| msgid IP address webfsd should listen on:
msgid IP address webfsd should listen to:
msgstr Endereço IP em que o webfsd deverá escutar:

#. Type: string
#. Description
#: ../templates:2001
msgid 
On a system with multiple IP addresses, webfsd can be configured to listen 
to only one of them.
msgstr 
Num sistema com múltiplos endereços IP, o webfsd pode ser configurado para 
escutar apenas num deles.

#. Type: string
#. Description
#: ../templates:2001
msgid If you leave this empty, webfsd will listen to all IP addresses.
msgstr Se deixar em branco, o webfsd irá escutar em todos os endereços IP.

#. Type: string
#. Description
#: ../templates:3001
msgid Timeout for network connections:
msgstr Tempo limite para as ligações de rede:

#. Type: string
#. Description
#: ../templates:5001
msgid Number of parallel network connections:
msgstr Número de ligações de rede paralelas:

#. Type: string
#. Description
#: ../templates:5001
msgid 
For small private networks, the default number of parallel network 
connections should be fine. This can be increased for larger networks.
msgstr 
Para pequenas redes privadas, o número predefinido de ligações de rede 
paralelas deve estar bem. Este valor pode ser aumentado para redes maiores.

#. Type: string
#. Description
#: ../templates:6001
msgid Directory cache size:
msgstr Dimensão do directório de 'cache':

#. Type: string
#. Description
#: ../templates:6001
#| msgid 
#| webfsd can keep cached directory listings.  By default, the size of the 
#| cache is limited to 128 entries.  If you have a very big directory tree, 
#| you might want to raise this value.
msgid 
Directory listings can be cached by webfsd. By default, the size of the 
cache is limited to 128 entries. If the web server has very big directory 
trees, you might want to raise this value.
msgstr 
Listagens de directório podem ser guardadas em 'cache' pelo  webfsd. Por 
predefinição a dimensão da cache está limitada a 128 entradas.  Se tiver 
uma árvore de directórios muito grande poderá querer aumentar este valor.

#. Type: string
#. Description
#: ../templates:7001
#| msgid Host name for webfsd:
msgid Incoming port number for webfsd:
msgstr Número do porto de entrada para o webfsd:

#. Type: string
#. Description
#: ../templates:7001
msgid 
Please enter the port number for webfsd to listen to. If you leave this 
blank, the default port (8000) will be used.
msgstr 
Indique por favor o número do porto de escuta para o webfsd. Se deixar em 
branco, o porto por omissão (8000) será usado.

#. Type: boolean
#. Description
#: ../templates:8001
msgid Enable virtual hosts?
msgstr Activar hosts virtuais?

#. Type: boolean
#. Description
#: ../templates:8001
#| msgid 
#| Please choose this option if you want webfsd support name-based virtual 
#| hosts.  The first directory level below your document root will then be 
#| used as hostname.
msgid 
This option allows webfsd to support name-based virtual hosts, taking the 
directories immediately below the document root as host names.
msgstr 
Esta opção permite que o webfsd suporte 'hosts' virtuais baseados em nomes, 
sendo os directórios de nível imediatamente inferior à raiz dos documentos 
usados como nomes de 'host'.

#. Type: string
#. Description
#: ../templates:9001
msgid Document root for webfsd:
msgstr Raiz dos documentos para o webfsd:

#. Type: string
#. Description
#: ../templates:9001
#| msgid 
#| webfsd is a lightweight HTTP server which only serves static files.  You 
#| can use it for example to provide HTTP access to your anonymous FTP 
#| server.
msgid 
Webfsd is a lightweight HTTP server for mostly static content. Its most 
obvious use is to provide HTTP access to an anonymous FTP server.
msgstr 
O webfsd é um servidor HTTP leve, principalmente para ficheiros estáticos. A 
utilização óbvia é fornecer acesso HTTP a um servidor anónimo de FTP.

#. Type: string
#. Description
#: ../templates:9001
#| msgid 
#| You need to specify the document root for the webfs daemon, i.e. the 
#| directory tree which will be exported.
msgid Please specify the document root for the webfs daemon.
msgstr Por favor indique a raiz dos documentos para o daemon webfs.

#. Type: string
#. Description
#: ../templates:9001
#| msgid 
#| Leave

Bug#571282: iog: [INTL:pt] Updated Portuguese translation for debconf messages

2010-02-25 Thread Pedro Ribeiro
Attaching the corrected Portuguese version,
Christian, thanks for the notice, my interpretation was not that correct..

On 25 February 2010 06:49, Christian PERRIER bubu...@debian.org wrote:
 Quoting Traduz - Portuguese Translation Team (tra...@debianpt.org):
 Package: iog
 Version: 1.03-4
 Tags: l10n, patch
 Severity: wishlist

 Updated Portuguese translation for iog's debconf messages.
 Translator: Pedro Ribeiro p.m42.ribe...@gmail.com
 Feel free to use it.

 For translation updates please contact 'Last Translator' or the
 Portuguese Translation Team traduz _at_ debianpt.org.

 The second string had a missing for word.

 I unfuzzied your translation, assuming that your interpretation was
 correct. Please double check it in the attached file.


 -BEGIN PGP SIGNATURE-
 Version: GnuPG v1.4.10 (GNU/Linux)

 iEUEARECAAYFAkuGHXQACgkQ1OXtrMAUPS1oYwCgh69MgaaV5vZFXnVO5uM8gVr3
 zuUAlibO3egykkEi7n7B+RCX0u/VNj8=
 =rR1l
 -END PGP SIGNATURE-


# iog Portuguese debconf messages
# Copyright (C) 2010  
# This file is distributed under the same license as the iog package.
# Pedro Ribeiro p.m42.ribe...@gmail.com, 2010
#
msgid 
msgstr 
Project-Id-Version: iog-1.03-4\n
Report-Msgid-Bugs-To: i...@packages.debian.org\n
POT-Creation-Date: 2010-02-25 07:42+0100\n
PO-Revision-Date: 2010-02-25 11:15+\n
Last-Translator: Pedro Ribeiro p.m42.ribe...@gmail.com\n
Language-Team: Portuguese tra...@debianpt.org\n
MIME-Version: 1.0\n
Content-Type: text/plain; charset=UTF-8\n
Content-Transfer-Encoding: 8bit\n

#. Type: boolean
#. Description
#: ../iog.templates:2001
msgid Migrate old install out of /var/www/iog/?
msgstr Migrar a instalação antiga para fora de /var/www/iog/?

#. Type: boolean
#. Description
#: ../iog.templates:2001
#| msgid 
#| A previous package release has left data installed in the /var/www/iog/ 
#| directory. Current versions of the IOG package now use /var/lib/iog/ IOG 
#| data files.
msgid 
A previous package release has left data installed in the /var/www/iog/ 
directory. Current versions of the IOG package now use /var/lib/iog/ for IOG 
data files.
msgstr 
Uma versão anterior do pacote deixou ficheiros de dados instalados em /var/
www/iog/. As versões actuais do pacote IOG usam /var/lib/iog para os 
ficheiros de dados IOG.

#. Type: boolean
#. Description
#: ../iog.templates:2001
msgid 
If you choose this option, all existing network data will be moved to the 
new location.
msgstr 
Se escolher esta opção, todos os dados de rede existentes serão movidos para 
a nova localização.

#. Type: boolean
#. Description
#: ../iog.templates:2001
msgid 
Consequently, directory settings in the IOG configuration file (/etc/iog.
cfg) will be changed to /var/lib/iog and a web server alias declaration will 
be added so that old network statistics are still published.
msgstr 
Como consequência, opções de directório no ficheiro de configuração do IOG (/
etc/iog.cfg) serão alteradas para /var/lib/iog e um alias do servidor web 
será acrescentado de modo que as estatísticas mais antigas continuem a ser 
publicadas.


Bug#566403: quick fix

2010-02-25 Thread Pedro Ribeiro
Hi,

this is an upstream problem. Till it gets solved, you can do this quick fix:

go to your sources folder, lets say /usr/src/linux
cd include/linux
ln -s ../generated/autoconf.h autoconf.h

The module will now build properly.

Regards,
Pedro



-- 
To UNSUBSCRIBE, email to debian-bugs-dist-requ...@lists.debian.org
with a subject of unsubscribe. Trouble? Contact listmas...@lists.debian.org



Bug#543448:

2010-02-04 Thread Pedro Ribeiro
severity 543448 important

Please add these libraries!

Skype does not work without it.

Many thanks,
Pedro



-- 
To UNSUBSCRIBE, email to debian-bugs-dist-requ...@lists.debian.org
with a subject of unsubscribe. Trouble? Contact listmas...@lists.debian.org



Bug#557003: libc6: DNS queries are extremely slowed by ipv6

2010-01-03 Thread Pedro Ribeiro
On Thu, Nov 19, 2009 at 11:42 PM, Pedro Ribeiro ped...@gmail.com wrote:
 On Thu, Nov 19, 2009 at 1:04 PM, Aurelien Jarno aurel...@aurel32.net wrote:
 Pedro Ribeiro a écrit :
 On Thu, Nov 19, 2009 at 12:03 AM, Aurelien Jarno aurel...@aurel32.net 
 wrote:
 On Wed, Nov 18, 2009 at 09:40:03PM +, Pedro Ribeiro wrote:
 Package: libc6
 Version: 2.10.1-7
 Severity: important

 When using Firefox, Google Chrome, Opera, Synaptic and other applications 
 which use DNS, I always have to wait a long time (2 to 10 seconds) for a 
 host to resolve (i.e. messages like Resolving host, Looking up 
 http://whatever;, etc).

 I always thought that this was a problem of my internet connection.
 I could never track the origin of it until finally like 2 hours ago I 
 stumbled across this:
 https://bugs.launchpad.net/ubuntu/+source/glibc/+bug/417757

 To test if I had this problem, I opened up Firefox and got to 
 about:config, entered ipv6 and set network.dns.disableIPv6 to false. 
 Immediately, every DNS query was extremely fast and browsing was up to 
 par to my high speed internet connection.
 To do a definite test, I added ipv6_disable=1 to my kernel command line 
 and after that all the applications above were having much faster DNS 
 queries.

 This is a rather serious bug that I have been experiencing ever since 
 upgrading to testing (right after lenny's release), and always blamed on 
 my ISP/wireless connection/configuration/etc, while finding it strange 
 that every Mac or Windows PC near me using the same connection appeared 
 to be much faster on DNS queries.

 I guess there must be much more users affected by this and like me, they 
 have no clue why.

 It may be caused by a recent version of libc6, because the bug above is 
 marked as karmic regression (the latest ubuntu is the karmic one, 9.10) 
 and a friend of mine who is using lenny doesn't appear to have the same 
 problem.

 Pardon me if this as already been reported, I searched around but could 
 not find a Debian version of this bug.

 Does adding options single-request to /etc/resolv.conf fixes your
 problems?

 If so, it is due to a broken DNS server on your ISP side, and a bug
 in Firefox and other application which explicitely ask to resolve
 IPv6 adresses by not passing AI_ADDRCONFIG to getaddrinfo().

 --
 Aurelien Jarno                          GPG: 1024D/F1BCDB73
 aurel...@aurel32.net                 http://www.aurel32.net


 Hi,

 you are right! It does solve my problem. But the strange thing is that
 I moved to another country in the last 2 months, but I've had this
 problem in my previous country also. So I guess its an application and
 not a DNS problem?

 Are you using the same modem/router and using it as a DNS server?

 What do you think I should do, file a bug with all the respective
 applications, or just wait for the Ubuntu bug to go upstream / sort
 itself out?

 There is no real plan to fix it. Maybe implement one more workaround if
 we found how broken is your DNS server.

 --
 Aurelien Jarno                          GPG: 1024D/F1BCDB73
 aurel...@aurel32.net                 http://www.aurel32.net


 Well to be honest I don't think its my DNS server. I'm living right
 now on (lets call it that way) Home 3, which is in country B. I'm
 living in a university campus (University Y), so I'm using a
 campus-wide network.
 In country A, about 2000km from here, I had the same problem on Home
 1, Home 2 and in my previous university (University X), with
 different ISP's in each home and university. I may have had the same
 problem on different networks, but I'm not confident enough to affirm
 it.

 So if it is the DNS server, the each DNS server at each location was
 broken - which of course is not impossible.

 (apologies for the A,X,1 thing, its just for privacy)

 Pedro


Hi,

I reinstalled my system (upgraded to amd64) and the problem seems to be gone.

It may be that my old system was rotting, or the problem is i386
specific. Either way, since nobody else complained, I'm closing this
bug.

Thank you for your patience and help.



--
To UNSUBSCRIBE, email to debian-bugs-dist-requ...@lists.debian.org
with a subject of unsubscribe. Trouble? Contact listmas...@lists.debian.org



Bug#554165: Bug fixed

2009-12-26 Thread Pedro Ribeiro
Hi,

I confirm the patch above fixes this issue.

Thanks Italo.


Regards,
Pedro



-- 
To UNSUBSCRIBE, email to debian-bugs-dist-requ...@lists.debian.org
with a subject of unsubscribe. Trouble? Contact listmas...@lists.debian.org



Bug#560780: I'm also affected

2009-12-19 Thread Pedro Ribeiro
Package: devicekit-disks
Version: 009-2
Severity: normal
File: /usr/bin/devkit-disks

Just noticed this behaviour in squeeze. Very annoying, breaks automount for 
ntfs drives. 


-- System Information:
Debian Release: squeeze/sid
  APT prefers testing-proposed-updates
  APT policy: (500, 'testing-proposed-updates'), (500, 'testing')
Architecture: i386 (i686)

Kernel: Linux 2.6.32.2 (SMP w/2 CPU cores; PREEMPT)
Locale: LANG=en_GB.UTF-8, LC_CTYPE=en_GB.UTF-8 (charmap=UTF-8)
Shell: /bin/sh linked to /bin/bash

Versions of packages devicekit-disks depends on:
ii  libatasmart4  0.17-1 ATA S.M.A.R.T. reading and parsing
ii  libc6 2.10.2-2   GNU C Library: Shared libraries
ii  libdbus-1-3   1.2.16-2   simple interprocess messaging syst
ii  libdbus-glib-1-2  0.82-2 simple interprocess messaging syst
ii  libglib2.0-0  2.22.3-1   The GLib library of C routines
ii  libgudev-1.0-0149-1  GObject-based wrapper library for 
ii  libparted1.8-12   1.8.8.git.2009.07.19-5 The GNU Parted disk partitioning s
ii  libpolkit-backend 0.95-1 PolicyKit backend API
ii  libpolkit-gobject 0.95-1 PolicyKit Authorization API
ii  libsgutils2-2 1.28-2 utilities for working with generic
ii  libudev0  149-1  libudev shared library
ii  udev  149-1  /dev/ and hotplug management daemo

Versions of packages devicekit-disks recommends:
ii  dosfstools  3.0.6-1  utilities for making and checking 
ii  hdparm  9.15-1   tune hard disk parameters for high
ii  mtools  4.0.10-1 Tools for manipulating MSDOS files
ii  ntfs-3g 1:2009.4.4-1 read-write NTFS driver for FUSE
ii  ntfsprogs   2.0.0-1  tools for doing neat things in NTF
ii  policykit-1 0.95-1   framework for managing administrat

Versions of packages devicekit-disks suggests:
ii  cryptsetup 2:1.1.0~rc2-1 configures encrypted block devices
pn  mdadm  none(no description available)
pn  reiserfsprogs  none(no description available)
ii  xfsprogs   3.0.4 Utilities for managing the XFS fil

-- no debconf information



-- 
To UNSUBSCRIBE, email to debian-bugs-dist-requ...@lists.debian.org
with a subject of unsubscribe. Trouble? Contact listmas...@lists.debian.org



Bug#561702: devicekit-disks: Mounted LUKS device appears as unmounted

2009-12-19 Thread Pedro Ribeiro
Package: devicekit-disks
Version: 009-2
Severity: normal

Hi,

I have a LUKS-encrypted partition on my internal hard drive. On top of this are 
my lvm2 partitions, which include /, /home and swap. The cute graphic below 
describes my setup.

[Hard disk [windows] [/boot] [ LUKS [lvm2 [root] [swap] [home] ] ] ]

The problem is that devkit-disks reports my LUKS partition as unmounted. Here 
is the output of devkit-disks dump for that partition:


Showing information for /org/freedesktop/DeviceKit/Disks/devices/sda3
  native-path: 
/sys/devices/pci:00/:00:1f.2/host0/target0:0:0/0:0:0:0/block/sda/sda3
  device:  8:3
  device-file: /dev/sda3
by-id: 
/dev/disk/by-id/ata-WDC_WD3200BEVS-08VAT2_WD-WXK0E59AWY28-part3
by-id: 
/dev/disk/by-id/scsi-SATA_WDC_WD3200BEVS-_WD-WXK0E59AWY28-part3
by-id: /dev/disk/by-id/wwn-0x50014ee203093006-part3
by-id: 
/dev/disk/by-uuid/cbdb411e-3c59-4858-8827-8cd7d902a50b
by-path:   
/dev/disk/by-path/pci-:00:1f.2-scsi-0:0:0:0-part3
  detected at: Sat 19 Dec 2009 13:28:39 GMT
  system internal: 1
  removable:   0
  has media:   1 (detected at Sat 19 Dec 2009 13:28:39 GMT)
detects change:0
detection by polling:  0
detection inhibitable: 0
detection inhibited:   0
  is read only:0
  is mounted:  0
  mount paths: 
  mounted by uid:  0
  presentation hide:   0
  presentation nopolicy:   0
  presentation name:   
  presentation icon:   
  size:269735477760
  block size:  512
  job underway:no
  usage:   crypto
  type:crypto_LUKS
  version: 256
  uuid:cbdb411e-3c59-4858-8827-8cd7d902a50b
  label:   
  partition:
part of:   /org/freedesktop/DeviceKit/Disks/devices/sda
scheme:mbr
number:3
type:  0x83
flags:
offset:50334842880
size:  269735477760
label: 
uuid:  



As you can see, it is detected as unmounted, although it is mounted or else I 
wouldn't be possible for me to write this report.

Please let me know if you need more information.

Thanks,
Pedro



-- System Information:
Debian Release: squeeze/sid
  APT prefers testing-proposed-updates
  APT policy: (500, 'testing-proposed-updates'), (500, 'testing')
Architecture: i386 (i686)

Kernel: Linux 2.6.32.2 (SMP w/2 CPU cores; PREEMPT)
Locale: LANG=en_GB.UTF-8, LC_CTYPE=en_GB.UTF-8 (charmap=UTF-8)
Shell: /bin/sh linked to /bin/bash

Versions of packages devicekit-disks depends on:
ii  libatasmart4  0.17-1 ATA S.M.A.R.T. reading and parsing
ii  libc6 2.10.2-2   GNU C Library: Shared libraries
ii  libdbus-1-3   1.2.16-2   simple interprocess messaging syst
ii  libdbus-glib-1-2  0.82-2 simple interprocess messaging syst
ii  libglib2.0-0  2.22.3-1   The GLib library of C routines
ii  libgudev-1.0-0149-1  GObject-based wrapper library for 
ii  libparted1.8-12   1.8.8.git.2009.07.19-5 The GNU Parted disk partitioning s
ii  libpolkit-backend 0.95-1 PolicyKit backend API
ii  libpolkit-gobject 0.95-1 PolicyKit Authorization API
ii  libsgutils2-2 1.28-2 utilities for working with generic
ii  libudev0  149-1  libudev shared library
ii  udev  149-1  /dev/ and hotplug management daemo

Versions of packages devicekit-disks recommends:
ii  dosfstools  3.0.6-1  utilities for making and checking 
ii  hdparm  9.15-1   tune hard disk parameters for high
ii  mtools  4.0.10-1 Tools for manipulating MSDOS files
ii  ntfs-3g 1:2009.4.4-1 read-write NTFS driver for FUSE
ii  ntfsprogs   2.0.0-1  tools for doing neat things in NTF
ii  policykit-1 0.95-1   framework for managing administrat

Versions of packages devicekit-disks suggests:
ii  cryptsetup 2:1.1.0~rc2-1 configures encrypted block devices
pn  mdadm  none(no description available)
pn  reiserfsprogs  none(no description available)
ii  xfsprogs   3.0.4 Utilities for managing the XFS fil

-- no debconf information



-- 
To UNSUBSCRIBE, email to debian-bugs-dist-requ...@lists.debian.org
with a 

Bug#561702: [Pkg-utopia-maintainers] Bug#561702: devicekit-disks: Mounted LUKS device appears as unmounted

2009-12-19 Thread Pedro Ribeiro
-- Forwarded message --
From: Pedro Ribeiro ped...@gmail.com
Date: Sat, Dec 19, 2009 at 7:23 PM
Subject: Re: [Pkg-utopia-maintainers] Bug#561702: devicekit-disks:
Mounted LUKS device appears as unmounted
To: Michael Biebl bi...@debian.org


On Sat, Dec 19, 2009 at 7:16 PM, Michael Biebl bi...@debian.org wrote:
 Pedro Ribeiro wrote:

 I have a LUKS-encrypted partition on my internal hard drive. On top of this 
 are my lvm2 partitions, which include /, /home and swap. The cute graphic 
 below describes my setup.

 [Hard disk [windows] [/boot] [ LUKS [lvm2 [root] [swap] [home] ] ] ]

 The problem is that devkit-disks reports my LUKS partition as unmounted. 
 Here is the output of devkit-disks dump for that partition:

 How do you mount this partition? I assume it is not mounted by dk-disks 
 itself?

 Michael


 --
 Why is it that all of the instruments seeking intelligent life in the
 universe are pointed away from Earth?



This partitions is mounted at boot time by the initramfs.

Pedro



-- 
To UNSUBSCRIBE, email to debian-bugs-dist-requ...@lists.debian.org
with a subject of unsubscribe. Trouble? Contact listmas...@lists.debian.org



Bug#554165: I have the same problem

2009-12-09 Thread Pedro Ribeiro
Package: gnome-applets
Version: 2.28.0-2
Severity: normal

Hi,

I have the same problem as the poster above (using squeeze).

Please let me know if I can help.


-- System Information:
Debian Release: squeeze/sid
  APT prefers testing-proposed-updates
  APT policy: (500, 'testing-proposed-updates'), (500, 'testing')
Architecture: i386 (i686)

Kernel: Linux 2.6.31.6 (SMP w/2 CPU cores; PREEMPT)
Locale: LANG=en_GB.UTF-8, LC_CTYPE=en_GB.UTF-8 (charmap=UTF-8)
Shell: /bin/sh linked to /bin/bash

Versions of packages gnome-applets depends on:
ii  gconf2  2.28.0-1 GNOME configuration database syste
ii  gnome-applets-data  2.28.0-2 Various applets for the GNOME pane
ii  gnome-icon-theme2.28.0-1 GNOME Desktop icon theme
ii  gnome-panel 2.28.0-3 launcher and docking facility for 
ii  gstreamer0.10-alsa [gstream 0.10.25-1GStreamer plugin for ALSA
ii  gstreamer0.10-esd [gstreame 0.10.17-1GStreamer plugin for ESD
ii  gstreamer0.10-plugins-bad [ 0.10.17-1GStreamer plugins from the bad s
ii  gstreamer0.10-plugins-good  0.10.17-1GStreamer plugins from the good 
ii  gstreamer0.10-pulseaudio [g 0.10.17-1GStreamer plugin for PulseAudio
ii  gvfs1.4.1-6  userspace virtual filesystem - ser
ii  libapm1 3.2.2-14 Library for interacting with APM d
ii  libatk1.0-0 1.28.0-1 The ATK accessibility toolkit
ii  libbonobo2-02.24.2-1 Bonobo CORBA interfaces library
ii  libbonoboui2-0  2.24.2-1 The Bonobo UI library
ii  libc6   2.10.2-2 GNU C Library: Shared libraries
ii  libcpufreq0 006-2shared library to deal with the cp
ii  libdbus-1-3 1.2.16-2 simple interprocess messaging syst
ii  libdbus-glib-1-20.82-2   simple interprocess messaging syst
ii  libgconf2-4 2.28.0-1 GNOME configuration database syste
ii  libglib2.0-02.22.3-1 The GLib library of C routines
ii  libgnome-desktop-2-11   2.28.1-3 Utility library for loading .deskt
ii  libgnome2-0 2.28.0-1 The GNOME library - runtime files
ii  libgnomekbd42.28.0-2 GNOME library to manage keyboard c
ii  libgstreamer-plugins-base0. 0.10.25-1GStreamer libraries from the base
ii  libgstreamer0.10-0  0.10.25-2Core GStreamer libraries and eleme
ii  libgtk2.0-0 2.18.3-1 The GTK+ graphical user interface 
ii  libgtop2-7  2.28.0-3 gtop system monitoring library (sh
ii  libgucharmap7   1:2.28.1-1   Unicode browser widget library (sh
ii  libgweather12.28.0-1 GWeather shared library
ii  libhal1 0.5.13-6 Hardware Abstraction Layer - share
ii  libnotify1 [libnotify1-gtk2 0.4.5-1  sends desktop notifications to a n
ii  liboobs-1-4 2.22.2-1 GObject based interface to system-
ii  libpanel-applet2-0  2.28.0-3 library for GNOME Panel applets
ii  libpango1.0-0   1.26.1-1 Layout and rendering of internatio
ii  libpolkit-gobject-1-0   0.95-1   PolicyKit Authorization API
ii  libwnck22   2.28.0-1 Window Navigator Construction Kit 
ii  libx11-62:1.3.2-1X11 client-side library
ii  libxklavier15   4.0-2X Keyboard Extension high-level AP
ii  libxml2 2.7.6.dfsg-1 GNOME XML library
ii  python  2.5.4-2  An interactive high-level object-o

Versions of packages gnome-applets recommends:
ii  cpufrequtils  006-2  utilities to deal with the cpufreq
ii  deskbar-applet2.28.0-1.1 universal search and navigation ba
ii  gnome-media   2.28.1-1   GNOME media utilities
ii  gnome-netstatus-applet2.28.0-1   Network status applet for GNOME
ii  gnome-system-monitor  2.28.0-1   Process viewer and system resource
ii  policykit-1-gnome 0.95-1 GNOME authentication agent for Pol
ii  python-gconf  2.28.0-1   Python bindings for the GConf conf
ii  python-gnome2 2.28.0-1   Python bindings for the GNOME desk
ii  python-gnomeapplet2.26.0-1   Python bindings for the GNOME pane
ii  python-gobject2.20.0-1   Python bindings for the GObject li
ii  python-gtk2   2.16.0-1   Python bindings for the GTK+ widge

Versions of packages gnome-applets suggests:
ii  acpid 1.0.10-4   Advanced Configuration and Power I
pn  tomboynone (no description available)

-- debconf information excluded



-- 
To UNSUBSCRIBE, email to debian-bugs-dist-requ...@lists.debian.org
with a subject of unsubscribe. Trouble? Contact listmas...@lists.debian.org



Bug#558343: Still present in 0.12.6

2009-12-03 Thread Pedro Ribeiro
Package: rhythmbox
Version: 0.12.6-1
Severity: normal

This bug is still here in 0.12.6


-- System Information:
Debian Release: squeeze/sid
  APT prefers testing-proposed-updates
  APT policy: (500, 'testing-proposed-updates'), (500, 'testing')
Architecture: i386 (i686)

Kernel: Linux 2.6.31.6 (SMP w/2 CPU cores; PREEMPT)
Locale: LANG=en_GB.UTF-8, LC_CTYPE=en_GB.UTF-8 (charmap=UTF-8)
Shell: /bin/sh linked to /bin/bash

Versions of packages rhythmbox depends on:
ii  dbus   1.2.16-2  simple interprocess messaging syst
ii  gconf2 2.28.0-1  GNOME configuration database syste
ii  gnome-icon-theme   2.28.0-1  GNOME Desktop icon theme
ii  gstreamer0.10-alsa [gs 0.10.25-1 GStreamer plugin for ALSA
ii  gstreamer0.10-esd [gst 0.10.16-5 GStreamer plugin for ESD
ii  gstreamer0.10-plugins- 0.10.17-1 GStreamer plugins from the bad s
ii  gstreamer0.10-plugins- 0.10.25-1 GStreamer plugins from the base 
ii  gstreamer0.10-plugins- 0.10.16-5 GStreamer plugins from the good 
ii  gstreamer0.10-pulseaud 0.10.16-5 GStreamer plugin for PulseAudio
ii  gstreamer0.10-x0.10.25-1 GStreamer plugins for X11 and Pang
ii  libatk1.0-01.28.0-1  The ATK accessibility toolkit
ii  libavahi-client3   0.6.25-2  Avahi client library
ii  libavahi-common3   0.6.25-2  Avahi common library
ii  libavahi-glib1 0.6.25-2  Avahi glib integration library
ii  libbrasero-media0  2.28.2-1  CD/DVD burning library for GNOME -
ii  libc6  2.10.2-2  GNU C Library: Shared libraries
ii  libcairo2  1.8.8-2   The Cairo 2D vector graphics libra
ii  libdbus-1-31.2.16-2  simple interprocess messaging syst
ii  libdbus-glib-1-2   0.82-2simple interprocess messaging syst
ii  libfontconfig1 2.6.0-4   generic font configuration library
ii  libfreetype6   2.3.11-1  FreeType 2 font engine, shared lib
ii  libgconf2-42.28.0-1  GNOME configuration database syste
ii  libglade2-01:2.6.4-1 library to load .glade files at ru
ii  libglib2.0-0   2.22.2-2  The GLib library of C routines
ii  libgnome-keyring0  2.28.1-2  GNOME keyring services library
ii  libgnome-media02.28.1-1  runtime libraries for the GNOME me
ii  libgpod4   0.7.2-2   library to read and write songs an
ii  libgstreamer-plugins-b 0.10.25-1 GStreamer libraries from the base
ii  libgstreamer0.10-0 0.10.25-2 Core GStreamer libraries and eleme
ii  libgtk2.0-02.18.3-1  The GTK+ graphical user interface 
ii  libhal10.5.13-4  Hardware Abstraction Layer - share
ii  libice62:1.0.5-1 X11 Inter-Client Exchange library
ii  liblircclient0 0.8.3-5   infra-red remote control support -
ii  libmtp80.3.7-7   Media Transfer Protocol (MTP) libr
ii  libmusicbrainz4c2a 2.1.5-2   Second generation incarnation of t
ii  libnotify1 [libnotify1 0.4.5-1   sends desktop notifications to a n
ii  libpango1.0-0  1.26.1-1  Layout and rendering of internatio
ii  libsm6 2:1.1.1-1 X11 Session Management library
ii  libsoup-gnome2.4-1 2.28.1-3  an HTTP library implementation in 
ii  libsoup2.4-1   2.28.1-3  an HTTP library implementation in 
ii  libtotem-plparser122.28.1-2  Totem Playlist Parser library - ru
ii  libusb-0.1-4   2:0.1.12-13   userspace USB programming library
ii  libxml22.7.6.dfsg-1  GNOME XML library
ii  python 2.5.4-2   An interactive high-level object-o
ii  python-gnome2  2.28.0-1  Python bindings for the GNOME desk
ii  python-gst0.10 0.10.17-1 generic media-playing framework (P
ii  python-gtk22.16.0-1  Python bindings for the GTK+ widge
ii  python-support 1.0.4 automated rebuilding support for P
ii  python2.5  2.5.4-3   An interactive high-level object-o
ii  zlib1g 1:1.2.3.3.dfsg-15 compression library - runtime

Versions of packages rhythmbox recommends:
pn  avahi-daemon none  (no description available)
ii  gstreamer0.10-plugins-ug 0.10.13-2   GStreamer plugins from the ugly 
ii  gvfs-backends1.4.1-5 userspace virtual filesystem - bac
ii  hal  0.5.13-4Hardware Abstraction Layer
ii  notification-daemon  0.4.0-2 a daemon that displays passive pop
ii  yelp 2.28.0+webkit-1 Help browser for GNOME

Versions of packages rhythmbox suggests:
ii  gnome-codec-install   0.4.2  GStreamer codec installer
ii  gnome-control-center  

Bug#558395: alarm-clock-applet: Does not play sound, gives error message when selecting sound

2009-11-28 Thread Pedro Ribeiro
Package: alarm-clock-applet
Version: 0.2.6-1
Severity: important

When I select a sound to play for an alarm and press Play to preview it, I 
get the following error:

Could not play sound
file:///usr/share/sounds/login.wav: Resource not found

This happens for every sound file I choose, and they all exist. 

When the alarm itself goes off, no sound is played also.


-- System Information:
Debian Release: squeeze/sid
  APT prefers testing-proposed-updates
  APT policy: (500, 'testing-proposed-updates'), (500, 'testing')
Architecture: i386 (i686)

Kernel: Linux 2.6.31.6 (SMP w/2 CPU cores; PREEMPT)
Locale: LANG=en_GB.UTF-8, LC_CTYPE=en_GB.UTF-8 (charmap=UTF-8)
Shell: /bin/sh linked to /bin/bash

Versions of packages alarm-clock-applet depends on:
ii  gconf2  2.28.0-1 GNOME configuration database syste
ii  libbonobo2-02.24.2-1 Bonobo CORBA interfaces library
ii  libc6   2.10.1-7 GNU C Library: Shared libraries
ii  libgconf2-4 2.28.0-1 GNOME configuration database syste
ii  libglade2-0 1:2.6.4-1library to load .glade files at ru
ii  libglib2.0-02.22.2-2 The GLib library of C routines
ii  libgnomeui-02.24.2-1 The GNOME libraries (User Interfac
ii  libgnomevfs2-0  1:2.24.2-1   GNOME Virtual File System (runtime
ii  libgstreamer0.10-0  0.10.25-2Core GStreamer libraries and eleme
ii  libgtk2.0-0 2.18.3-1 The GTK+ graphical user interface 
ii  libnotify1 [libnotify1-gtk2 0.4.5-1  sends desktop notifications to a n
ii  libpanel-applet2-0  2.26.3-1 library for GNOME Panel applets
ii  libxml2 2.7.6.dfsg-1 GNOME XML library

alarm-clock-applet recommends no packages.

alarm-clock-applet suggests no packages.

-- no debconf information



-- 
To UNSUBSCRIBE, email to debian-bugs-dist-requ...@lists.debian.org
with a subject of unsubscribe. Trouble? Contact listmas...@lists.debian.org



Bug#558343: rhythmbox: Disabling ipv6 causes annoying delay when playing

2009-11-27 Thread Pedro Ribeiro
Package: rhythmbox
Version: 0.12.5-1+b1
Severity: important

When I disable ipv6 (by blacklisting the module or manually removing all ipv6 
addresses from network devices) rhythmbox has an annoying delay of about 5 
seconds when playing music, either local or remote (radio).

The error message displayed on the console is:
socket(): Address family not supported by protocol

How to reproduce:
-blacklist ipv6 and reboot OR disable all ipv6 addresses from network devices
-open rhythmbox
-click on any track
-displays the error message above, hangs for 5 seconds and then starts playing
-try to play other track
-displays the error message again, hangs for 5 seconds and then starts playing

But is reproducible every time.


-- System Information:
Debian Release: squeeze/sid
  APT prefers testing-proposed-updates
  APT policy: (500, 'testing-proposed-updates'), (500, 'testing')
Architecture: i386 (i686)

Kernel: Linux 2.6.31.6 (SMP w/2 CPU cores; PREEMPT)
Locale: LANG=en_GB.UTF-8, LC_CTYPE=en_GB.UTF-8 (charmap=UTF-8)
Shell: /bin/sh linked to /bin/bash

Versions of packages rhythmbox depends on:
ii  dbus   1.2.16-2  simple interprocess messaging syst
ii  gconf2 2.28.0-1  GNOME configuration database syste
ii  gnome-icon-theme   2.28.0-1  GNOME Desktop icon theme
ii  gstreamer0.10-alsa [gs 0.10.25-1 GStreamer plugin for ALSA
ii  gstreamer0.10-esd [gst 0.10.16-5 GStreamer plugin for ESD
ii  gstreamer0.10-plugins- 0.10.16-1 GStreamer plugins from the bad s
ii  gstreamer0.10-plugins- 0.10.25-1 GStreamer plugins from the base 
ii  gstreamer0.10-plugins- 0.10.16-5 GStreamer plugins from the good 
ii  gstreamer0.10-pulseaud 0.10.16-5 GStreamer plugin for PulseAudio
ii  gstreamer0.10-x0.10.25-1 GStreamer plugins for X11 and Pang
ii  libatk1.0-01.28.0-1  The ATK accessibility toolkit
ii  libavahi-client3   0.6.25-1  Avahi client library
ii  libavahi-common3   0.6.25-1  Avahi common library
ii  libavahi-glib1 0.6.25-1  Avahi glib integration library
ii  libbonobo2-0   2.24.2-1  Bonobo CORBA interfaces library
ii  libbrasero-media0  2.28.2-1  CD/DVD burning library for GNOME -
ii  libc6  2.10.1-7  GNU C Library: Shared libraries
ii  libcairo2  1.8.8-2   The Cairo 2D vector graphics libra
ii  libdbus-1-31.2.16-2  simple interprocess messaging syst
ii  libdbus-glib-1-2   0.82-2simple interprocess messaging syst
ii  libfontconfig1 2.6.0-4   generic font configuration library
ii  libfreetype6   2.3.11-1  FreeType 2 font engine, shared lib
ii  libgcc11:4.4.2-3 GCC support library
ii  libgconf2-42.28.0-1  GNOME configuration database syste
ii  libglade2-01:2.6.4-1 library to load .glade files at ru
ii  libglib2.0-0   2.22.2-2  The GLib library of C routines
ii  libgnome-keyring0  2.28.1-1  GNOME keyring services library
ii  libgnome-media02.28.1-1  runtime libraries for the GNOME me
ii  libgnome2-02.26.0-1  The GNOME library - runtime files
ii  libgpod4   0.7.2-2   library to read and write songs an
ii  libgstreamer-plugins-b 0.10.25-1 GStreamer libraries from the base
ii  libgstreamer0.10-0 0.10.25-2 Core GStreamer libraries and eleme
ii  libgtk2.0-02.18.3-1  The GTK+ graphical user interface 
ii  libhal10.5.13-4  Hardware Abstraction Layer - share
ii  libice62:1.0.5-1 X11 Inter-Client Exchange library
ii  liblircclient0 0.8.3-5   infra-red remote control support -
ii  libmtp80.3.7-7   Media Transfer Protocol (MTP) libr
ii  libmusicbrainz4c2a 2.1.5-2   Second generation incarnation of t
ii  libnotify1 [libnotify1 0.4.5-1   sends desktop notifications to a n
ii  liborbit2  1:2.14.17-1   libraries for ORBit2 - a CORBA ORB
ii  libpango1.0-0  1.26.0-1  Layout and rendering of internatio
ii  libpopt0   1.15-1lib for parsing cmdline parameters
ii  libsm6 2:1.1.1-1 X11 Session Management library
ii  libsoup-gnome2.4-1 2.28.1-3  an HTTP library implementation in 
ii  libsoup2.4-1   2.28.1-3  an HTTP library implementation in 
ii  libstdc++6 4.4.2-3   The GNU Standard C++ Library v3
ii  libtotem-plparser122.28.1-2  Totem Playlist Parser library - ru
ii  libusb-0.1-4   2:0.1.12-13   userspace USB programming library
ii  libxml22.7.6.dfsg-1  GNOME XML library
ii  python 2.5.4-2   An interactive high-level object-o
ii  python-gnome2  

Bug#557510: file-browser-applet: When applet is put on bottom panel the file list is incorrectly shown.

2009-11-22 Thread Pedro Ribeiro
Package: file-browser-applet
Version: 0.6.4-1
Severity: important

When I put the applet a panel which is attached to the lower end of the screen 
and click it, the file list starts from the bottom up (you have to scroll up to 
see the directories).
When the applet is put on a panel attached to the upper end of the screen, 
clicking on it correctly shows the files in order.
How to reproduce it:
1- Create a bottom panel with gnome-panel
2- Insert the applet into the panel
3- Click on the applet


-- System Information:
Debian Release: squeeze/sid
  APT prefers testing-proposed-updates
  APT policy: (500, 'testing-proposed-updates'), (500, 'testing')
Architecture: i386 (i686)

Kernel: Linux 2.6.31.6 (SMP w/2 CPU cores; PREEMPT)
Locale: LANG=en_GB.UTF-8, LC_CTYPE=en_GB.UTF-8 (charmap=UTF-8)
Shell: /bin/sh linked to /bin/bash

Versions of packages file-browser-applet depends on:
ii  libart-2.0-2 2.3.20-2Library of functions for 2D graphi
ii  libatk1.0-0  1.28.0-1The ATK accessibility toolkit
ii  libbonobo2-0 2.24.2-1Bonobo CORBA interfaces library
ii  libbonoboui2-0   2.24.2-1The Bonobo UI library
ii  libc62.10.1-7GNU C Library: Shared libraries
ii  libcairo21.8.8-2 The Cairo 2D vector graphics libra
ii  libfontconfig1   2.6.0-4 generic font configuration library
ii  libfreetype6 2.3.11-1FreeType 2 font engine, shared lib
ii  libgconf2-4  2.28.0-1GNOME configuration database syste
ii  libglib2.0-0 2.22.2-2The GLib library of C routines
ii  libgnome2-0  2.26.0-1The GNOME library - runtime files
ii  libgnomecanvas2-02.26.0-1A powerful object-oriented display
ii  libgtk2.0-0  2.18.3-1The GTK+ graphical user interface 
ii  liborbit21:2.14.17-1 libraries for ORBit2 - a CORBA ORB
ii  libpanel-applet2-0   2.26.3-1library for GNOME Panel applets
ii  libpango1.0-01.26.0-1Layout and rendering of internatio
ii  libpopt0 1.15-1  lib for parsing cmdline parameters

file-browser-applet recommends no packages.

Versions of packages file-browser-applet suggests:
pn  brasero   none (no description available)
ii  file-roller   2.28.1-1   an archive manager for GNOME
pn  rubbernone (no description available)

-- no debconf information



-- 
To UNSUBSCRIBE, email to debian-bugs-dist-requ...@lists.debian.org
with a subject of unsubscribe. Trouble? Contact listmas...@lists.debian.org



Bug#557003: libc6: DNS queries are extremely slowed by ipv6

2009-11-19 Thread Pedro Ribeiro
On Thu, Nov 19, 2009 at 12:03 AM, Aurelien Jarno aurel...@aurel32.net wrote:
 On Wed, Nov 18, 2009 at 09:40:03PM +, Pedro Ribeiro wrote:
 Package: libc6
 Version: 2.10.1-7
 Severity: important

 When using Firefox, Google Chrome, Opera, Synaptic and other applications 
 which use DNS, I always have to wait a long time (2 to 10 seconds) for a 
 host to resolve (i.e. messages like Resolving host, Looking up 
 http://whatever;, etc).

 I always thought that this was a problem of my internet connection.
 I could never track the origin of it until finally like 2 hours ago I 
 stumbled across this:
 https://bugs.launchpad.net/ubuntu/+source/glibc/+bug/417757

 To test if I had this problem, I opened up Firefox and got to about:config, 
 entered ipv6 and set network.dns.disableIPv6 to false. Immediately, every 
 DNS query was extremely fast and browsing was up to par to my high speed 
 internet connection.
 To do a definite test, I added ipv6_disable=1 to my kernel command line 
 and after that all the applications above were having much faster DNS 
 queries.

 This is a rather serious bug that I have been experiencing ever since 
 upgrading to testing (right after lenny's release), and always blamed on my 
 ISP/wireless connection/configuration/etc, while finding it strange that 
 every Mac or Windows PC near me using the same connection appeared to be 
 much faster on DNS queries.

 I guess there must be much more users affected by this and like me, they 
 have no clue why.

 It may be caused by a recent version of libc6, because the bug above is 
 marked as karmic regression (the latest ubuntu is the karmic one, 9.10) 
 and a friend of mine who is using lenny doesn't appear to have the same 
 problem.

 Pardon me if this as already been reported, I searched around but could not 
 find a Debian version of this bug.


 Does adding options single-request to /etc/resolv.conf fixes your
 problems?

 If so, it is due to a broken DNS server on your ISP side, and a bug
 in Firefox and other application which explicitely ask to resolve
 IPv6 adresses by not passing AI_ADDRCONFIG to getaddrinfo().

 --
 Aurelien Jarno                          GPG: 1024D/F1BCDB73
 aurel...@aurel32.net                 http://www.aurel32.net


Hi,

you are right! It does solve my problem. But the strange thing is that
I moved to another country in the last 2 months, but I've had this
problem in my previous country also. So I guess its an application and
not a DNS problem?

What do you think I should do, file a bug with all the respective
applications, or just wait for the Ubuntu bug to go upstream / sort
itself out?
For now, I disabled ipv6 (I don't need it anyway) through the modprobe
blacklist.

Thanks for your help.



--
To UNSUBSCRIBE, email to debian-bugs-dist-requ...@lists.debian.org
with a subject of unsubscribe. Trouble? Contact listmas...@lists.debian.org



Bug#557003: libc6: DNS queries are extremely slowed by ipv6

2009-11-19 Thread Pedro Ribeiro
On Thu, Nov 19, 2009 at 1:04 PM, Aurelien Jarno aurel...@aurel32.net wrote:
 Pedro Ribeiro a écrit :
 On Thu, Nov 19, 2009 at 12:03 AM, Aurelien Jarno aurel...@aurel32.net 
 wrote:
 On Wed, Nov 18, 2009 at 09:40:03PM +, Pedro Ribeiro wrote:
 Package: libc6
 Version: 2.10.1-7
 Severity: important

 When using Firefox, Google Chrome, Opera, Synaptic and other applications 
 which use DNS, I always have to wait a long time (2 to 10 seconds) for a 
 host to resolve (i.e. messages like Resolving host, Looking up 
 http://whatever;, etc).

 I always thought that this was a problem of my internet connection.
 I could never track the origin of it until finally like 2 hours ago I 
 stumbled across this:
 https://bugs.launchpad.net/ubuntu/+source/glibc/+bug/417757

 To test if I had this problem, I opened up Firefox and got to 
 about:config, entered ipv6 and set network.dns.disableIPv6 to false. 
 Immediately, every DNS query was extremely fast and browsing was up to par 
 to my high speed internet connection.
 To do a definite test, I added ipv6_disable=1 to my kernel command line 
 and after that all the applications above were having much faster DNS 
 queries.

 This is a rather serious bug that I have been experiencing ever since 
 upgrading to testing (right after lenny's release), and always blamed on 
 my ISP/wireless connection/configuration/etc, while finding it strange 
 that every Mac or Windows PC near me using the same connection appeared to 
 be much faster on DNS queries.

 I guess there must be much more users affected by this and like me, they 
 have no clue why.

 It may be caused by a recent version of libc6, because the bug above is 
 marked as karmic regression (the latest ubuntu is the karmic one, 9.10) 
 and a friend of mine who is using lenny doesn't appear to have the same 
 problem.

 Pardon me if this as already been reported, I searched around but could 
 not find a Debian version of this bug.

 Does adding options single-request to /etc/resolv.conf fixes your
 problems?

 If so, it is due to a broken DNS server on your ISP side, and a bug
 in Firefox and other application which explicitely ask to resolve
 IPv6 adresses by not passing AI_ADDRCONFIG to getaddrinfo().

 --
 Aurelien Jarno                          GPG: 1024D/F1BCDB73
 aurel...@aurel32.net                 http://www.aurel32.net


 Hi,

 you are right! It does solve my problem. But the strange thing is that
 I moved to another country in the last 2 months, but I've had this
 problem in my previous country also. So I guess its an application and
 not a DNS problem?

 Are you using the same modem/router and using it as a DNS server?

 What do you think I should do, file a bug with all the respective
 applications, or just wait for the Ubuntu bug to go upstream / sort
 itself out?

 There is no real plan to fix it. Maybe implement one more workaround if
 we found how broken is your DNS server.

 --
 Aurelien Jarno                          GPG: 1024D/F1BCDB73
 aurel...@aurel32.net                 http://www.aurel32.net


Well to be honest I don't think its my DNS server. I'm living right
now on (lets call it that way) Home 3, which is in country B. I'm
living in a university campus (University Y), so I'm using a
campus-wide network.
In country A, about 2000km from here, I had the same problem on Home
1, Home 2 and in my previous university (University X), with
different ISP's in each home and university. I may have had the same
problem on different networks, but I'm not confident enough to affirm
it.

So if it is the DNS server, the each DNS server at each location was
broken - which of course is not impossible.

(apologies for the A,X,1 thing, its just for privacy)

Pedro



--
To UNSUBSCRIBE, email to debian-bugs-dist-requ...@lists.debian.org
with a subject of unsubscribe. Trouble? Contact listmas...@lists.debian.org



Bug#557003: libc6: DNS queries are extremely slowed by ipv6

2009-11-18 Thread Pedro Ribeiro
Package: libc6
Version: 2.10.1-7
Severity: important

When using Firefox, Google Chrome, Opera, Synaptic and other applications which 
use DNS, I always have to wait a long time (2 to 10 seconds) for a host to 
resolve (i.e. messages like Resolving host, Looking up http://whatever;, 
etc). 

I always thought that this was a problem of my internet connection. 
I could never track the origin of it until finally like 2 hours ago I stumbled 
across this:
https://bugs.launchpad.net/ubuntu/+source/glibc/+bug/417757

To test if I had this problem, I opened up Firefox and got to about:config, 
entered ipv6 and set network.dns.disableIPv6 to false. Immediately, every DNS 
query was extremely fast and browsing was up to par to my high speed internet 
connection.
To do a definite test, I added ipv6_disable=1 to my kernel command line and 
after that all the applications above were having much faster DNS queries.

This is a rather serious bug that I have been experiencing ever since upgrading 
to testing (right after lenny's release), and always blamed on my ISP/wireless 
connection/configuration/etc, while finding it strange that every Mac or 
Windows PC near me using the same connection appeared to be much faster on DNS 
queries.

I guess there must be much more users affected by this and like me, they have 
no clue why. 

It may be caused by a recent version of libc6, because the bug above is marked 
as karmic regression (the latest ubuntu is the karmic one, 9.10) and a friend 
of mine who is using lenny doesn't appear to have the same problem.

Pardon me if this as already been reported, I searched around but could not 
find a Debian version of this bug.


-- System Information:
Debian Release: squeeze/sid
  APT prefers testing-proposed-updates
  APT policy: (500, 'testing-proposed-updates'), (500, 'testing')
Architecture: i386 (i686)

Kernel: Linux 2.6.31.6 (SMP w/2 CPU cores; PREEMPT)
Locale: LANG=en_GB.UTF-8, LC_CTYPE=en_GB.UTF-8 (charmap=UTF-8)
Shell: /bin/sh linked to /bin/bash

Versions of packages libc6 depends on:
ii  libc-bin  2.10.1-7   GNU C Library: Binaries
ii  libgcc1   1:4.4.1-4  GCC support library

Versions of packages libc6 recommends:
ii  libc6-i6862.10.1-7   GNU C Library: Shared libraries [i

Versions of packages libc6 suggests:
ii  debconf [debconf-2.0] 1.5.28 Debian configuration management sy
pn  glibc-doc none (no description available)
ii  locales   2.10.1-7   GNU C Library: National Language (

-- debconf information excluded



-- 
To UNSUBSCRIBE, email to debian-bugs-dist-requ...@lists.debian.org
with a subject of unsubscribe. Trouble? Contact listmas...@lists.debian.org



Bug#541779: I just noticed this

2009-11-11 Thread Pedro Ribeiro
Package: notify-osd
Version: 0.9.23-2
Severity: normal

Yes I just noticed this. The package says it conflicts with notify-daemon. 
There is no such package in any Debian version.


-- System Information:
Debian Release: squeeze/sid
  APT prefers testing-proposed-updates
  APT policy: (500, 'testing-proposed-updates'), (500, 'testing')
Architecture: i386 (i686)

Kernel: Linux 2.6.31.6 (SMP w/2 CPU cores; PREEMPT)
Locale: LANG=en_GB.UTF-8, LC_CTYPE=en_GB.UTF-8 (charmap=UTF-8)
Shell: /bin/sh linked to /bin/bash

Versions of packages notify-osd depends on:
ii  libatk1.0-0   1.28.0-1   The ATK accessibility toolkit
ii  libc6 2.9-25 GNU C Library: Shared libraries
ii  libcairo2 1.8.8-2The Cairo 2D vector graphics libra
ii  libdbus-1-3   1.2.16-2   simple interprocess messaging syst
ii  libdbus-glib-1-2  0.82-2 simple interprocess messaging syst
ii  libgconf2-4   2.28.0-1   GNOME configuration database syste
ii  libglib2.0-0  2.22.2-2   The GLib library of C routines
ii  libgtk2.0-0   2.18.3-1   The GTK+ graphical user interface 
ii  libpango1.0-0 1.26.0-1   Layout and rendering of internatio
ii  libpixman-1-0 0.16.2-1   pixel-manipulation library for X a
ii  libwnck22 2.28.0-1   Window Navigator Construction Kit 
ii  libx11-6  2:1.2.2-1  X11 client-side library

notify-osd recommends no packages.

notify-osd suggests no packages.

-- no debconf information



-- 
To UNSUBSCRIBE, email to debian-bugs-dist-requ...@lists.debian.org
with a subject of unsubscribe. Trouble? Contact listmas...@lists.debian.org



Bug#542238: Please reopen this bug

2009-11-10 Thread Pedro Ribeiro
Package: xfce4-power-manager
Version: 0.8.4-1
Severity: normal

Hello all,
I have the exact same issue on a Lenovo T400 (which is merely an update of the 
original poster's computer, the T61).
xfce4-power-manager simply ignores both the suspend and hibernate keys. They 
work perfectly with gnome-power-manager and selecting suspend or hibernate from 
the click menu on the tray icon for xfpm also works perfectly.

hal reports:
00:14:15.587: computer_logicaldev_input_2 condition ButtonPressed = hibernate
00:14:17.310: computer_logicaldev_input_2 condition ButtonPressed = sleep

acpi_listen reports:
button/suspend SUSP 0080 
button/sleep SBTN 0080 



-- System Information:
Debian Release: squeeze/sid
  APT prefers testing-proposed-updates
  APT policy: (500, 'testing-proposed-updates'), (500, 'testing')
Architecture: i386 (i686)

Kernel: Linux 2.6.31.6 (SMP w/2 CPU cores; PREEMPT)
Locale: LANG=en_GB.UTF-8, LC_CTYPE=en_GB.UTF-8 (charmap=UTF-8)
Shell: /bin/sh linked to /bin/bash

Versions of packages xfce4-power-manager depends on:
ii  hal   0.5.13-3   Hardware Abstraction Layer
ii  libc6 2.9-25 GNU C Library: Shared libraries
ii  libdbus-1-3   1.2.16-2   simple interprocess messaging syst
ii  libdbus-glib-1-2  0.82-2 simple interprocess messaging syst
ii  libglib2.0-0  2.22.2-2   The GLib library of C routines
ii  libgtk2.0-0   2.18.3-1   The GTK+ graphical user interface 
ii  libnotify1 [libnotify1-gtk2.1 0.4.5-1sends desktop notifications to a n
ii  libpango1.0-0 1.26.0-1   Layout and rendering of internatio
ii  libx11-6  2:1.2.2-1  X11 client-side library
ii  libxext6  2:1.0.4-1  X11 miscellaneous extension librar
ii  libxfce4util4 4.6.1-1Utility functions library for Xfce
ii  libxfcegui4-4 4.6.1-1+b1 Basic GUI C functions for Xfce4
ii  libxfconf-0-2 4.6.1-1Client library for Xfce4 configure
ii  xfce4-power-manager-data  0.8.4-1power manager for Xfce desktop, ar

xfce4-power-manager recommends no packages.

Versions of packages xfce4-power-manager suggests:
pn  xfce4-power-manager-plugins   none (no description available)

-- no debconf information



-- 
To UNSUBSCRIBE, email to debian-bugs-dist-requ...@lists.debian.org
with a subject of unsubscribe. Trouble? Contact listmas...@lists.debian.org



Bug#555410: hibernate: Please update to the latest version

2009-11-09 Thread Pedro Ribeiro
Package: hibernate
Version: 1.99
Severity: important

There is a new hibernate version out for some months now. Could you please 
update to it? Thanks.


-- System Information:
Debian Release: squeeze/sid
  APT prefers testing-proposed-updates
  APT policy: (500, 'testing-proposed-updates'), (500, 'testing')
Architecture: i386 (i686)

Kernel: Linux 2.6.31.5 (SMP w/2 CPU cores; PREEMPT)
Locale: LANG=en_GB.UTF-8, LC_CTYPE=en_GB.UTF-8 (charmap=UTF-8)
Shell: /bin/sh linked to /bin/bash

Versions of packages hibernate depends on:
ii  console-tools  1:0.2.3dbs-66 Linux console and font utilities

Versions of packages hibernate recommends:
ii  dash  0.5.5.1-3  POSIX-compliant shell
ii  hdparm9.15-1 tune hard disk parameters for high
pn  uswsusp   none (no description available)
ii  vbetool   1.1-2  run real-mode video BIOS code to a

Versions of packages hibernate suggests:
pn  915resolution none (no description available)
ii  gnome-screensaver 2.28.0-1   GNOME screen saver and locker
ii  xscreensaver  5.10-3 Automatic screensaver for X



-- 
To UNSUBSCRIBE, email to debian-bugs-dist-requ...@lists.debian.org
with a subject of unsubscribe. Trouble? Contact listmas...@lists.debian.org



Bug#555410: Yes I can

2009-11-09 Thread Pedro Ribeiro
Package: hibernate
Version: 1.99
Severity: normal

Sure I can help you. What do you need me to do? Package the new version for 
you? Please let me know.


-- System Information:
Debian Release: squeeze/sid
  APT prefers testing-proposed-updates
  APT policy: (500, 'testing-proposed-updates'), (500, 'testing')
Architecture: i386 (i686)

Kernel: Linux 2.6.31.5 (SMP w/2 CPU cores; PREEMPT)
Locale: LANG=en_GB.UTF-8, LC_CTYPE=en_GB.UTF-8 (charmap=UTF-8)
Shell: /bin/sh linked to /bin/bash

Versions of packages hibernate depends on:
ii  console-tools  1:0.2.3dbs-66 Linux console and font utilities

Versions of packages hibernate recommends:
ii  dash  0.5.5.1-3  POSIX-compliant shell
ii  hdparm9.15-1 tune hard disk parameters for high
pn  uswsusp   none (no description available)
ii  vbetool   1.1-2  run real-mode video BIOS code to a

Versions of packages hibernate suggests:
pn  915resolution none (no description available)
ii  gnome-screensaver 2.28.0-1   GNOME screen saver and locker
ii  xscreensaver  5.10-3 Automatic screensaver for X



-- 
To UNSUBSCRIBE, email to debian-bugs-dist-requ...@lists.debian.org
with a subject of unsubscribe. Trouble? Contact listmas...@lists.debian.org



Bug#541623: I have exactly the same problem

2009-10-28 Thread Pedro Ribeiro
Package: gnome-power-manager
Version: 2.24.4-3
Severity: normal

I have the same problem as the poster above. g-p-m doesn't respect the DPMS 
settings in the Power Management section of gnome-control-center. It completely 
ignores my DPMS settings. Running xset -q returns 
DPMS (Energy Star):
  Standby: 0Suspend: 0Off: 0
Even after setting 10 minutes as the monitor shutoff time. 
I'm using squeeze and this problem appeared a few months ago. My gnome package 
versions are also mismatched as with the poster above.
gnome-power-manager v2.24.4-3
gnome-session v2.26.2-1
gnome-screensaver v2.28.0-1
gnome-settings-daemon v2.26.1-2

I know we must be subjected to this in testing but if you be great if you could 
somehow keep gnome packages from migrated alone.


-- Package-specific info:
Distro version:   squeeze/sid
Kernel version:   2.6.31.5
g-p-m version:2.24.4
HAL version:  0.5.13
System manufacturer:  missing
System version:   missing
System product:   missing
AC adapter present:   yes
Battery present:  yes
Laptop panel present: yes
CPU scaling present:  yes
Battery Information:
  battery.charge_level.current = 58180  (0xe344)  (int)
  battery.charge_level.design = 56160  (0xdb60)  (int)
  battery.charge_level.last_full = 58180  (0xe344)  (int)
  battery.charge_level.percentage = 100  (0x64)  (int)
  battery.charge_level.rate = 0  (0x0)  (int)
  battery.is_rechargeable = true  (bool)
  battery.model = '42T4653'  (string)
  battery.present = true  (bool)
  battery.rechargeable.is_charging = false  (bool)
  battery.rechargeable.is_discharging = false  (bool)
  battery.reporting.current = 58180  (0xe344)  (int)
  battery.reporting.design = 56160  (0xdb60)  (int)
  battery.reporting.last_full = 58180  (0xe344)  (int)
  battery.reporting.rate = 0  (0x0)  (int)
  battery.reporting.technology = 'Li-ion'  (string)
  battery.reporting.unit = 'mWh'  (string)
  battery.serial = '41364'  (string)
  battery.technology = 'lithium-ion'  (string)
  battery.type = 'primary'  (string)
  battery.vendor = 'LGC'  (string)
  battery.voltage.current = 12520  (0x30e8)  (int)
  battery.voltage.design = 10800  (0x2a30)  (int)
  battery.voltage.unit = 'mV'  (string)
GNOME Power Manager Process Information:
botto 4831  0.0  0.6  79980 12164 ?S12:35   0:00  \_ 
gnome-power-manager
HAL Process Information:
106   3440  0.0  0.1   7204  2940 ?Ss   12:35   0:01 /usr/sbin/hald
root  3516  0.0  0.0   3436  1056 ?S12:35   0:00  \_ hald-runner
root  3553  0.0  0.0   3496   832 ?S12:35   0:00  \_ 
/usr/lib/hal/hald-addon-rfkill-killswitch
root  3582  0.0  0.0   3496   928 ?S12:35   0:00  \_ 
/usr/lib/hal/hald-addon-leds
root  3596  0.0  0.0   3500   968 ?S12:35   0:00  \_ 
hald-addon-input: Listening on /dev/input/event7 /de
root  3605  0.0  0.0   3512   816 ?S12:35   0:00  \_ 
/usr/lib/hal/hald-addon-cpufreq
106   3606  0.0  0.0   3364   992 ?S12:35   0:00  \_ 
hald-addon-acpi: listening on acpid socket /var/run/
root  3608  0.0  0.0   3500   928 ?S12:35   0:01  \_ 
hald-addon-storage: polling /dev/sr0 (every 2 sec)
root  3748  0.0  0.0   3492   856 ?S12:35   0:00  \_ 
/usr/lib/hal/hald-addon-generic-backlight

-- System Information:
Debian Release: squeeze/sid
  APT prefers testing-proposed-updates
  APT policy: (500, 'testing-proposed-updates'), (500, 'testing')
Architecture: i386 (i686)

Kernel: Linux 2.6.31.5 (SMP w/2 CPU cores; PREEMPT)
Locale: LANG=en_GB.UTF-8, LC_CTYPE=en_GB.UTF-8 (charmap=UTF-8)
Shell: /bin/sh linked to /bin/bash

Versions of packages gnome-power-manager depends on:
ii  consolekit0.3.1-1framework for defining and trackin
ii  dbus-x11  1.2.16-2   simple interprocess messaging syst
ii  gconf22.28.0-1   GNOME configuration database syste
ii  hal   0.5.13-3   Hardware Abstraction Layer
ii  libbonobo2-0  2.24.2-1   Bonobo CORBA interfaces library
ii  libc6 2.9-25 GNU C Library: Shared libraries
ii  libcairo2 1.8.8-2The Cairo 2D vector graphics libra
ii  libdbus-1-3   1.2.16-2   simple interprocess messaging syst
ii  libdbus-glib-1-2  0.82-2 simple interprocess messaging syst
ii  libgconf2-4   2.28.0-1   GNOME configuration database syste
ii  libglade2-0   1:2.6.4-1  library to load .glade files at ru
ii  libglib2.0-0  2.22.2-2   The GLib library of C routines
ii  libgnome-keyring0 2.26.1-1   GNOME keyring services library
ii  libgnome2-0   2.26.0-1   The GNOME library - runtime files
ii  libgnomeui-0  2.24.2-1   The GNOME libraries (User Interfac
ii  libgstreamer0.10-00.10.25-2  Core GStreamer libraries 

Bug#552579: kanjidic: Error on aptitude configure

2009-10-27 Thread Pedro Ribeiro
Package: kanjidic
Version: 2008.02.13-1
Severity: normal

aptitude is trying to configure kanjidic, but it can't. Package was already 
installed but must was updated a few days ago. 
An error is always reported either when installing or removing any other 
package through aptitude. 
Exec format error
dpkg: error processing kanjidic (--configure):
 subprocess installed post-installation script returned error exit status 2

Re-installing or removing the package is not possible - the same error is 
reported.


-- System Information:
Debian Release: squeeze/sid
  APT prefers testing-proposed-updates
  APT policy: (500, 'testing-proposed-updates'), (500, 'testing')
Architecture: i386 (i686)

Kernel: Linux 2.6.31.5 (SMP w/2 CPU cores; PREEMPT)
Locale: LANG=en_GB.UTF-8, LC_CTYPE=en_GB.UTF-8 (charmap=UTF-8)
Shell: /bin/sh linked to /bin/bash

-- no debconf information



-- 
To UNSUBSCRIBE, email to debian-bugs-dist-requ...@lists.debian.org
with a subject of unsubscribe. Trouble? Contact listmas...@lists.debian.org



Bug#523730: gdebi: this bug is still present in squeeze

2009-08-12 Thread Pedro Ribeiro
Package: gdebi
Version: 0.3.11debian1+nmu1
Severity: normal

As said above, this bug is still present in squeeze and it is quite annoying.

gksu output:
gksu: unrecognized option '--always-ask-pass'


-- System Information:
Debian Release: squeeze/sid
  APT prefers testing-proposed-updates
  APT policy: (500, 'testing-proposed-updates'), (500, 'testing')
Architecture: i386 (i686)

Kernel: Linux 2.6.29.6-rt23 (PREEMPT)
Locale: LANG=en_GB.UTF-8, LC_CTYPE=en_GB.UTF-8 (charmap=UTF-8)
Shell: /bin/sh linked to /bin/bash

Versions of packages gdebi depends on:
ii  gdebi-core0.3.11debian1+nmu1 Simple tool to install deb files
ii  gksu  2.0.2-2+b1 graphical frontend to su
ii  gnome-icon-theme  2.26.0-1   GNOME Desktop icon theme
ii  python2.5.4-2An interactive high-level object-o
ii  python-central0.6.11 register and build utility for Pyt
ii  python-glade2 2.14.1-3   GTK+ bindings: Glade support
ii  python-gtk2   2.14.1-3   Python bindings for the GTK+ widge
ii  python-vte1:0.20.5-1 Python bindings for the VTE widget

Versions of packages gdebi recommends:
ii  libgnome2-perl1.042-2Perl interface to the GNOME librar

gdebi suggests no packages.

-- no debconf information



-- 
To UNSUBSCRIBE, email to debian-bugs-dist-requ...@lists.debian.org
with a subject of unsubscribe. Trouble? Contact listmas...@lists.debian.org



Bug#539359: gnome-settings-daemon: Error starting the GNOME Settings Daemon message on login

2009-07-30 Thread Pedro Ribeiro
Package: gnome-settings-daemon
Version: 2.24.1-3
Severity: normal

After a big system update about 2 days ago, I get a window with the following 
message when I login to GNOME:

There was an error starting the GNOME Settings Daemon.

Some things, such as themes, sounds, or background settings may not work 
correctly.

The last error message was:

Did not receive a reply. Possible causes include: the remote application did 
not send a reply, the message bus security policy blocked the reply, the reply 
timeout expired, or the network connection was broken.

GNOME will still try to restart the Settings Daemon next time you log in.

Everything loads correctly though, and gnome-settings-daemon is running...


-- System Information:
Debian Release: squeeze/sid
  APT prefers testing-proposed-updates
  APT policy: (500, 'testing-proposed-updates'), (500, 'testing')
Architecture: i386 (i686)

Kernel: Linux 2.6.29.6-rt23 (PREEMPT)
Locale: LANG=en_GB.UTF-8, LC_CTYPE=en_GB.UTF-8 (charmap=UTF-8)
Shell: /bin/sh linked to /bin/bash

Versions of packages gnome-settings-daemon depends on:
ii  gconf22.26.2-1   GNOME configuration database syste
ii  libc6 2.9-12 GNU C Library: Shared libraries
ii  libcairo2 1.8.6-2+b1 The Cairo 2D vector graphics libra
ii  libdbus-1-3   1.2.16-2   simple interprocess messaging syst
ii  libdbus-glib-1-2  0.80-4 simple interprocess messaging syst
ii  libesd0   0.2.41-5   Enlightened Sound Daemon - Shared 
ii  libfontconfig12.6.0-4generic font configuration library
ii  libgconf2-4   2.26.2-1   GNOME configuration database syste
ii  libglade2-0   1:2.6.4-1  library to load .glade files at ru
ii  libglib2.0-0  2.20.1-2   The GLib library of C routines
ii  libgnome-desktop-2-11 2.26.1-1   Utility library for loading .deskt
ii  libgnome2-0   2.26.0-1   The GNOME library - runtime files
ii  libgnomekbd3  2.26.0-1   GNOME library to manage keyboard c
ii  libgstreamer-plugins-base0.10 0.10.23-3  GStreamer libraries from the base
ii  libgstreamer0.10-00.10.23-2  Core GStreamer libraries and eleme
ii  libgtk2.0-0   2.16.1-2   The GTK+ graphical user interface 
ii  libnotify1 [libnotify1-gtk2.1 0.4.5-1sends desktop notifications to a n
ii  libx11-6  2:1.2.1-1  X11 client-side library
ii  libxi62:1.1.4-1  X11 Input extension library
ii  libxklavier12 3.9-1  X Keyboard Extension high-level AP
ii  libxxf86misc1 1:1.0.1-3  X11 XFree86 miscellaneous extensio

gnome-settings-daemon recommends no packages.

Versions of packages gnome-settings-daemon suggests:
ii  gnome-screensaver 2.26.1-1   GNOME screen saver and locker
ii  metacity [x-window-manager]   1:2.26.0-3 lightweight GTK+ window manager
ii  openbox [x-window-manager]3.4.7.2-4  standards compliant, fast, light-w
ii  twm [x-window-manager]1:1.0.4-2  Tab window manager
ii  x11-xserver-utils 7.4+2  X server utilities

-- no debconf information



-- 
To UNSUBSCRIBE, email to debian-bugs-dist-requ...@lists.debian.org
with a subject of unsubscribe. Trouble? Contact listmas...@lists.debian.org



Bug#536414: reportbug: in gtk2 after clicking detach an attachment and then clicking back, interface is unusable.

2009-07-09 Thread Pedro Ribeiro
Package: reportbug
Version: 4.4
Severity: important

Bug is always reproducible.
Enter a bug report with the gtk2 interface until you reach the Submit this bug 
report page.
Attach a file and the click Detach an attachment.
Click cancel. After that, the interface is locked and you can only click cancel 
or back, effectively
rending the bug report useless.


-- Package-specific info:
** Environment settings:
INTERFACE=gtk2

** /home/botto/.reportbugrc:
reportbug_version 4.4
mode standard
ui gtk2
realname Pedro Ribeiro
email euso...@yahoo.com
no-cc
header X-Debbugs-CC: euso...@yahoo.com
smtphost reportbug.debian.org

-- System Information:
Debian Release: squeeze/sid
  APT prefers testing-proposed-updates
  APT policy: (500, 'testing-proposed-updates'), (500, 'testing')
Architecture: i386 (i686)

Kernel: Linux 2.6.29.5-rt22 (PREEMPT)
Locale: LANG=en_GB.UTF-8, LC_CTYPE=en_GB.UTF-8 (charmap=UTF-8)
Shell: /bin/sh linked to /bin/bash

Versions of packages reportbug depends on:
ii  apt   0.7.21 Advanced front-end for dpkg
ii  python2.5.4-2An interactive high-level object-o
ii  python-reportbug  4.4Python modules for interacting wit

reportbug recommends no packages.

Versions of packages reportbug suggests:
pn  debconf-utils none (no description available)
pn  debsums   none (no description available)
pn  dlocate   none (no description available)
ii  exim4 4.69-11metapackage to ease Exim MTA (v4) 
ii  exim4-daemon-light [mail-tran 4.69-11lightweight Exim MTA (v4) daemon
ii  file  5.03-1 Determines file type using magic
ii  gnupg 1.4.9-4GNU privacy guard - a free PGP rep
ii  python-gnome2-extras  2.25.3-2   Extra Python bindings for the GNOM
ii  python-gtk2   2.14.1-3   Python bindings for the GTK+ widge
ii  python-urwid  0.9.8.4-1  curses-based UI/widget library for
ii  python-vte1:0.20.5-1 Python bindings for the VTE widget

-- no debconf information



-- 
To UNSUBSCRIBE, email to debian-bugs-dist-requ...@lists.debian.org
with a subject of unsubscribe. Trouble? Contact listmas...@lists.debian.org



Bug#526644: [INTL:pt] Updated portuguese translation for debconf messages

2009-05-02 Thread Pedro Ribeiro
-BEGIN PGP SIGNED MESSAGE-
Hash: SHA1

Package: clamav
Severity: wishlist
Tags: patch l10n


Updated portuguese translation for clamav's debconf messages.
Translator: Américo Monteiro a_monte...@netcabo.pt
Feel free to use it

For translation updates please contact 'Last Translator' or the
Portuguese Translation Team traduz _at_ debianpt.org.


- --
Best regards,

Pedro Ribeiro
Traduz - Portuguese Translation Team
http://www.DebianPT.org
-BEGIN PGP SIGNATURE-
Version: GnuPG v1.4.9 (GNU/Linux)
Comment: Using GnuPG with Mozilla - http://enigmail.mozdev.org

iEYEARECAAYFAkn8Q2EACgkQQ1WdpTsIkf6PugCgifM0Su9XQ/5blWkD9jE70DSM
rZkAnAp/qxpcVnR02YnH1ZuwdTPY+Mwm
=BDV0
-END PGP SIGNATURE-

# translation of clamav debconf to Portuguese
# Copyright (C) 2006 THE clamav'S COPYRIGHT HOLDER
# This file is distributed under the same license as the clamav package.
#
# Ricardo Silva ardo...@gmail.com, 2006, 2007.
# Américo Monteiro a_monte...@netcabo.pt, 2009.
msgid 
msgstr 
Project-Id-Version: clamav 0.95.1+dfsg-2\n
Report-Msgid-Bugs-To: cla...@packages.debian.org\n
POT-Creation-Date: 2009-04-16 22:41+0200\n
PO-Revision-Date: 2009-05-01 18:30+0100\n
Last-Translator: Américo Monteiro a_monte...@netcabo.pt\n
Language-Team: Portuguese tra...@debianpt.org\n
MIME-Version: 1.0\n
Content-Type: text/plain; charset=UTF-8\n
Content-Transfer-Encoding: 8bit\n
X-Generator: KBabel 1.11.4\n

#. Type: select
#. Choices
#: ../clamav-freshclam.templates:2001
msgid daemon
msgstr daemon

#. Type: select
#. Choices
#: ../clamav-freshclam.templates:2001
msgid manual
msgstr manual

#. Type: select
#. Description
#: ../clamav-freshclam.templates:2002
msgid Virus database update method:
msgstr Método de actualização da base de dados de vírus:

#. Type: select
#. Description
#: ../clamav-freshclam.templates:2002
msgid Please choose the method for virus database updates.
msgstr Por favor escolha o método de actualizações da base de dados de vírus.

#. Type: select
#. Description
#: ../clamav-freshclam.templates:2002
msgid 
 daemon:  freshclam is running as a daemon all the time. You should choose\n
  this option if you have a permanent network connection;\n
 ifup.d:  freshclam will be running as a daemon as long as your Internet\n
  connection is up. Choose this one if you use a dialup Internet\n
  connection and don't want freshclam to initiate new connections;\n
 cron:freshclam is started from cron. Choose this if you want full 
control\n
  of when the database is updated;\n
 manual:  no automatic invocation of freshclam. This is not recommended,\n
  as ClamAV's database is constantly updated.
msgstr 
daemon : o freshclam corre sempre como um 'daemon'. Deve escolher esta opção\n
 se tem uma ligação permanente à Internet;\n
ifup.d : o freshclam corre como um 'daemon' enquanto a sua ligação à Internet\n
 estiver activa. Escolha este modo se tem uma ligação 'dialup' e não\n
 quer que o freshclam inicie novas ligações;\n
cron   : o freshclam é inicializado pelo cron. Escolha isto se quer controle\n
  absoluto sobre quando a base de dados é actualizada.\n
manual : sem invocação automática do freshclam. Não recomendado, uma vez\n
que a base de dados é constantemente actualizada.

#. Type: select
#. Description
#: ../clamav-freshclam.templates:3001
msgid Local database mirror site:
msgstr Site 'mirror' da base de dados local:

#. Type: select
#. Description
#: ../clamav-freshclam.templates:3001
msgid Please select the closest local mirror site.
msgstr Por favor escolha o site 'mirror' local mais próximo.

#. Type: select
#. Description
#: ../clamav-freshclam.templates:3001
msgid 
Freshclam updates its database from a world wide network of mirror sites. 
Please select the closest mirror. If you leave the default setting, an 
attempt will be made to guess a nearby mirror.
msgstr 
O freshclam actualiza a sua base de dados de uma rede global de sites 
'mirror'. Por favor escolha o que está mais próximo de si. Se deixar a 
configuração predefinida, ir-se-á tentar adivinhar o 'mirror' mais próximo.

#. Type: string
#. Description
#: ../clamav-freshclam.templates:4001
msgid HTTP proxy information (leave blank for none):
msgstr Informação do proxy HTTP (deixe vazio para nenhum):

#. Type: string
#. Description
#: ../clamav-freshclam.templates:4001
msgid 
If you need to use an HTTP proxy to access the outside world, enter the 
proxy information here. Otherwise, leave this blank.
msgstr 
Se necessitar de usar um proxy HTTP para aceder ao mundo exterior, indique a 
informação do proxy aqui. De outra forma, deixe isto em vazio.

#. Type: string
#. Description
#: ../clamav-freshclam.templates:4001
msgid Please use URL syntax (\http://host[:port]\;) here.
msgstr Por favor, utilize sintaxe URL aqui (\http://máquina[:porto]\;).

#. Type: string
#. Description
#: ../clamav-freshclam.templates:5001
msgid Proxy user information

Bug#526711: [INTL:pt] Updated portuguese translation for debconf messages

2009-05-02 Thread Pedro Ribeiro
Package: canna
Severity: wishlist
Tags: patch l10n


Updated portuguese translation for clamav's debconf messages.
Translator:  António Moreira antoniocostamore...@gmail.com
Feel free to use it

For translation updates please contact 'Last Translator' or the
Portuguese Translation Team traduz _at_ debianpt.org.


- --
Best regards,

Pedro Ribeiro
Traduz - Portuguese Translation Team
http://www.DebianPT.org

# Portuguese translation for canna debconf messages
# Copyright (C) 2006 THE canna's COPYRIGHT HOLDER
# This file is distributed under the same license as the canna package.
# Ricardo Silva ardo...@gmail.com, 2006
# António Moreira antoniocostamore...@gmail.com, 2009

msgid 
msgstr 
Project-Id-Version: canna 3.7p3-5\n
Report-Msgid-Bugs-To: ca...@packages.debian.org\n
POT-Creation-Date: 2009-04-19 20:24+0200\n
PO-Revision-Date: 2007-03-06 22:33+\n
Last-Translator: António Moreira antoniocostamore...@gmail.com\n
Language-Team: Portuguese tra...@debianpt.org\n
MIME-Version: 1.0\n
Content-Type: text/plain; charset=UTF-8\n
Content-Transfer-Encoding: 8bit\n

#. Type: boolean
#. Description
#: ../templates:2001
msgid Should the Canna server run automatically?
msgstr Deverá o servidor Canna correr automaticamente?

#. Type: boolean
#. Description
#: ../templates:2001
msgid 
This package contains the Canna server and server-related utilities. If you 
are only interested in these utilities, you can disable the Canna server now.
msgstr 
Este pacote contém o servidor Canna e utilitários relacionados. Se está só 
interessado nos utilitários, pode desactivar o servidor Canna agora.

#. Type: boolean
#. Description
#: ../templates:3001
msgid Should the Canna server run in network mode?
msgstr Deverá o servidor Canna correr em modo de rede?

#. Type: boolean
#. Description
#: ../templates:3001
msgid 
By default the Canna server will run without support for network 
connections, and will only accept connections on UNIX domain sockets, from 
clients running on the same host.
msgstr 
Por predefinição, o servidor Canna correrá sem suporte para ligações de 
rede, e irá somente aceitar ligações de 'sockets' de domínio UNIX, a partir 
de clientes que corram na mesma máquina.

#. Type: boolean
#. Description
#: ../templates:3001
msgid 
If you choose this option, network support will be activated, and the Canna 
server will accept connections on TCP sockets from clients that may be on 
remote hosts. Some clients (such as egg and yc-el) require this mode even if 
they run on the local host.
msgstr 
Se escolher esta opção, o suporte de rede será activado, e o servidor Canna
irá aceitar ligações nas 'sockets' TCP a partir de clientes que possam  
estar em máquinas remotas. Alguns clientes (tais como egg e yc-el) 
necessitam deste modo mesmo que corram na máquina local.

#. Type: boolean
#. Description
#: ../templates:4001
msgid Manage /etc/hosts.canna automatically?
msgstr Gerir o /etc/hosts.canna automaticamente?

#. Type: boolean
#. Description
#: ../templates:4001
msgid 
The /etc/hosts.canna file lists hosts allowed to connect to the Canna server.
msgstr 
O ficheiro /etc/hosts.canna enumera as máquinas com permissão para se 
ligarem ao servidor Canna.

#. Type: boolean
#. Description
#: ../templates:4001
msgid 
You should not accept this option if you prefer managing the file's contents 
manually.
msgstr 
Não deve aceitar esta opção se preferir gerir os conteúdos do ficheiro
manualmente.

#. Type: string
#. Description
#: ../templates:5001
msgid Hosts allowed to connect to this Canna server:
msgstr Máquinas com permissão para se ligarem a este servidor Canna:

#. Type: string
#. Description 
#: ../templates:5001
msgid 
Please enter the names of the hosts allowed to connect to this Canna server, 
separated by spaces.
msgstr 
Por favor introduza os nomes das máquinas com permissão para 
se ligarem a este servidor Canna, separados por espaços.

#. Type: string
#. Description
#: ../templates:5001
msgid You can use \unix\ to allow access via UNIX domain sockets.
msgstr  
Pode usar \unix\ para permitir o acesso via 'sockets' de domínio UNIX.

#. Type: select
#. Description
#: ../libcanna1g.templates:2001
msgid Canna input style:
msgstr Estilo de entrada do Canna:

#. Type: select
#. Description
#: ../libcanna1g.templates:2001
msgid 
Please choose the default Canna input style:\n
 verbose: Canna3.5 default style with verbose comments;\n
 1.1: old Canna style (ver. 1.1);\n
 1.2: old Canna style (ver. 1.2);\n
 jdaemon: jdaemon style;\n
 just   : JustSystems ATOK style;\n
 lan5   : LAN5 style;\n
 matsu  : Matsu word processor style;\n
 skk: SKK style;\n
 tut: TUT-Code style;\n
 unix   : UNIX style;\n
 vje: vje style;\n
 wx2+   : WX2+ style.
msgstr 
Por favor escolha o estilo de entrada por omissão do Canna:\n
 verbose - estilo Canna3.5 predefinido com comentários excessivos;\n
 1.1 - estilo antigo Canna (ver. 1.1);\n
 1.2 - estilo antigo Canna (ver. 1.2);\n

Bug#526644: Updtae to debconf translation files

2009-05-02 Thread Pedro Ribeiro
Please find attached a correction to the portuguese debconf messages...
sorry for the mess.
# translation of clamav debconf to Portuguese
# Copyright (C) 2006 THE clamav'S COPYRIGHT HOLDER
# This file is distributed under the same license as the clamav package.
#
# Ricardo Silva ardo...@gmail.com, 2006, 2007.
# Américo Monteiro a_monte...@netcabo.pt, 2009.
msgid 
msgstr 
Project-Id-Version: clamav 0.95.1+dfsg-2\n
Report-Msgid-Bugs-To: cla...@packages.debian.org\n
POT-Creation-Date: 2009-04-16 22:41+0200\n
PO-Revision-Date: 2009-05-02 22:26+0100\n
Last-Translator: Américo Monteiro a_monte...@netcabo.pt\n
Language-Team: Portuguese tra...@debianpt.org\n
MIME-Version: 1.0\n
Content-Type: text/plain; charset=UTF-8\n
Content-Transfer-Encoding: 8bit\n
X-Generator: KBabel 1.11.4\n

#. Type: select
#. Choices
#: ../clamav-freshclam.templates:2001
msgid daemon
msgstr daemon

#. Type: select
#. Choices
#: ../clamav-freshclam.templates:2001
msgid manual
msgstr manual

#. Type: select
#. Description
#: ../clamav-freshclam.templates:2002
msgid Virus database update method:
msgstr Método de actualização da base de dados de vírus:

#. Type: select
#. Description
#: ../clamav-freshclam.templates:2002
msgid Please choose the method for virus database updates.
msgstr Por favor escolha o método de actualizações da base de dados de vírus.

#. Type: select
#. Description
#: ../clamav-freshclam.templates:2002
msgid 
 daemon:  freshclam is running as a daemon all the time. You should choose\n
  this option if you have a permanent network connection;\n
 ifup.d:  freshclam will be running as a daemon as long as your Internet\n
  connection is up. Choose this one if you use a dialup Internet\n
  connection and don't want freshclam to initiate new connections;\n
 cron:freshclam is started from cron. Choose this if you want full 
control\n
  of when the database is updated;\n
 manual:  no automatic invocation of freshclam. This is not recommended,\n
  as ClamAV's database is constantly updated.
msgstr 
daemon : o freshclam corre sempre como um 'daemon'. Deve escolher esta opção\n
 se tem uma ligação permanente à Internet;\n
ifup.d : o freshclam corre como um 'daemon' enquanto a sua ligação à Internet\n
 estiver activa. Escolha este modo se tem uma ligação 'dialup' e não\n
 quer que o freshclam inicie novas ligações;\n
cron   : o freshclam é inicializado pelo cron. Escolha isto se quer controle\n
  absoluto sobre quando a base de dados é actualizada.\n
manual : sem invocação automática do freshclam. Não recomendado, uma vez\n
que a base de dados é constantemente actualizada.

#. Type: select
#. Description
#: ../clamav-freshclam.templates:3001
msgid Local database mirror site:
msgstr Site 'mirror' da base de dados local:

#. Type: select
#. Description
#: ../clamav-freshclam.templates:3001
msgid Please select the closest local mirror site.
msgstr Por favor escolha o site 'mirror' local mais próximo.

#. Type: select
#. Description
#: ../clamav-freshclam.templates:3001
msgid 
Freshclam updates its database from a world wide network of mirror sites. 
Please select the closest mirror. If you leave the default setting, an 
attempt will be made to guess a nearby mirror.
msgstr 
O freshclam actualiza a sua base de dados a partir de uma rede global de sites 
'mirror'. Por favor escolha o que está mais próximo de si. Se deixar a 
configuração predefinida, irá se tentar adivinhar o 'mirror' mais próximo.

#. Type: string
#. Description
#: ../clamav-freshclam.templates:4001
msgid HTTP proxy information (leave blank for none):
msgstr Informação do proxy HTTP (deixe vazio para nenhum):

#. Type: string
#. Description
#: ../clamav-freshclam.templates:4001
msgid 
If you need to use an HTTP proxy to access the outside world, enter the 
proxy information here. Otherwise, leave this blank.
msgstr 
Se necessitar de usar um proxy HTTP para aceder ao mundo exterior, indique a 
informação do proxy aqui. De outra forma, deixe isto em vazio.

#. Type: string
#. Description
#: ../clamav-freshclam.templates:4001
msgid Please use URL syntax (\http://host[:port]\;) here.
msgstr Por favor, utilize sintaxe URL aqui (\http://máquina[:porto]\;).

#. Type: string
#. Description
#: ../clamav-freshclam.templates:5001
msgid Proxy user information (leave blank for none):
msgstr Informação do utilizador do proxy (deixe vazio para nenhum):

#. Type: string
#. Description
#: ../clamav-freshclam.templates:5001
msgid 
If you need to supply a username and password to the proxy, enter it here. 
Otherwise, leave this blank.
msgstr 
Se necessitar de fornecer um nome de utilizador e uma palavra-passe para o 
proxy, introduza-os aqui. De outra forma, deixe vazio.

#. Type: string
#. Description
#: ../clamav-freshclam.templates:5001
msgid When entering user information, use the standard form of \user:pass\.
msgstr 
Ao introduzir a informação do utilizador, use o formato standard de 

Bug#499947: util-linux: [disk-utils] several strings without gettext calls

2008-09-23 Thread Pedro Ribeiro
-BEGIN PGP SIGNED MESSAGE-
Hash: SHA1

Package: util-linux
Version: 2.14~rc2-0
Severity: minor
Tags: patch l10n

While translating util-linux, i've found several strings without gettext
calls.

Patch included. Forwarded to upstream.

-BEGIN PGP SIGNATURE-
Version: GnuPG v1.4.9 (GNU/Linux)
Comment: Using GnuPG with Mozilla - http://enigmail.mozdev.org

iEYEARECAAYFAkjZY1UACgkQQ1WdpTsIkf66TwCfTsBZ0AvsWPbL+6fcXw0nckAc
VYgAn3w7NzlUbqIz/qSxCkNraAll8eTy
=r/aX
-END PGP SIGNATURE-

diff --git a/disk-utils/elvtune.c b/disk-utils/elvtune.c
index fc7550b..8d18003 100644
--- a/disk-utils/elvtune.c
+++ b/disk-utils/elvtune.c
@@ -50,7 +50,7 @@ usage(void) {
 		 /dev/blkdev1 [/dev/blkdev2...]\n);
 	fprintf(stderr, \telvtune -h\n);
 	fprintf(stderr, \telvtune -v\n);
-	fprintf(stderr, \tNOTE: elvtune only works with 2.4 kernels\n);
+	fprintf(stderr, _(\tNOTE: elvtune only works with 2.4 kernels\n));
 	/* (ioctls exist in 2.2.16 - 2.5.57) */
 }
 
@@ -97,13 +97,13 @@ main(int argc, char * argv[]) {
 		case '?':
 		default:
 		case ':':
-			fprintf(stderr, parse error\n);
+			fprintf(stderr, _(parse error\n));
 			exit(1);
 		}
 	}
 
 	if (optind = argc)
-		fprintf(stderr, missing blockdevice, use -h for help\n), exit(1);
+		fprintf(stderr, _(missing blockdevice, use -h for help\n)), exit(1);
 
 	while (optind  argc) {
 		devname = argv[optind++];
@@ -124,9 +124,9 @@ main(int argc, char * argv[]) {
 			if ((errsv == EINVAL || errsv == ENOTTY) 
 			get_linux_version() = KERNEL_VERSION(2,5,58)) {
 fprintf(stderr,
-	\nelvtune is only useful on older 
+	_(\nelvtune is only useful on older 
 	kernels;\nfor 2.6 use IO scheduler 
-	sysfs tunables instead..\n);
+	sysfs tunables instead..\n));
 			}
 			break;
 		}
diff --git a/disk-utils/fsck.cramfs.c b/disk-utils/fsck.cramfs.c
index aeb766f..6154729 100644
--- a/disk-utils/fsck.cramfs.c
+++ b/disk-utils/fsck.cramfs.c
@@ -144,16 +144,16 @@ static void test_super(int *start, size_t *length) {
 
 	/* find the physical size of the file or block device */
 	if (stat(filename, st)  0) {
-		die(FSCK_ERROR, 1, stat failed: %s, filename);
+		die(FSCK_ERROR, 1, _(stat failed: %s), filename);
 	}
 	fd = open(filename, O_RDONLY);
 	if (fd  0) {
-		die(FSCK_ERROR, 1, open failed: %s, filename);
+		die(FSCK_ERROR, 1, _(open failed: %s), filename);
 	}
 	if (S_ISBLK(st.st_mode)) {
 		unsigned long long bytes;
 		if (blkdev_get_size(fd, bytes)) {
-			die(FSCK_ERROR, 1, ioctl failed: unable to determine device size: %s, filename);
+			die(FSCK_ERROR, 1, _(ioctl failed: unable to determine device size: %s), filename);
 		}
 		*length = bytes;
 	}
@@ -161,16 +161,16 @@ static void test_super(int *start, size_t *length) {
 		*length = st.st_size;
 	}
 	else {
-		die(FSCK_ERROR, 0, not a block device or file: %s, filename);
+		die(FSCK_ERROR, 0, _(not a block device or file: %s), filename);
 	}
 
 	if (*length  sizeof(struct cramfs_super)) {
-		die(FSCK_UNCORRECTED, 0, file length too short);
+		die(FSCK_UNCORRECTED, 0, _(file length too short));
 	}
 
 	/* find superblock */
 	if (read(fd, super, sizeof(super)) != sizeof(super)) {
-		die(FSCK_ERROR, 1, read failed: %s, filename);
+		die(FSCK_ERROR, 1, _(read failed: %s), filename);
 	}
 	if (super.magic == CRAMFS_MAGIC) {
 		*start = 0;
@@ -178,7 +178,7 @@ static void test_super(int *start, size_t *length) {
 	else if (*length = (PAD_SIZE + sizeof(super))) {
 		lseek(fd, PAD_SIZE, SEEK_SET);
 		if (read(fd, super, sizeof(super)) != sizeof(super)) {
-			die(FSCK_ERROR, 1, read failed: %s, filename);
+			die(FSCK_ERROR, 1, _(read failed: %s), filename);
 		}
 		if (super.magic == CRAMFS_MAGIC) {
 			*start = PAD_SIZE;
@@ -187,27 +187,27 @@ static void test_super(int *start, size_t *length) {
 
 	/* superblock tests */
 	if (super.magic != CRAMFS_MAGIC) {
-		die(FSCK_UNCORRECTED, 0, superblock magic not found);
+		die(FSCK_UNCORRECTED, 0, _(superblock magic not found));
 	}
 	if (super.flags  ~CRAMFS_SUPPORTED_FLAGS) {
-		die(FSCK_ERROR, 0, unsupported filesystem features);
+		die(FSCK_ERROR, 0, _(unsupported filesystem features));
 	}
 	if (super.size  page_size) {
-		die(FSCK_UNCORRECTED, 0, superblock size (%d) too small, super.size);
+		die(FSCK_UNCORRECTED, 0, _(superblock size (%d) too small), super.size);
 	}
 	if (super.flags  CRAMFS_FLAG_FSID_VERSION_2) {
 		if (super.fsid.files == 0) {
-			die(FSCK_UNCORRECTED, 0, zero file count);
+			die(FSCK_UNCORRECTED, 0, _(zero file count));
 		}
 		if (*length  super.size) {
-			die(FSCK_UNCORRECTED, 0, file length too short);
+			die(FSCK_UNCORRECTED, 0, _(file length too short));
 		}
 		else if (*length  super.size) {
-			fprintf(stderr, warning: file extends past end of filesystem\n);
+			fprintf(stderr, _(warning: file extends past end of filesystem\n));
 		}
 	}
 	else {
-		fprintf(stderr, warning: old cramfs format\n);
+		fprintf(stderr, _(warning: old cramfs format\n));
 	}
 }
 
@@ -220,7 +220,7 @@ static void test_crc(int start)
 #ifdef 

Bug#499948: util-linux: [hwclock] several strings without gettext calls

2008-09-23 Thread Pedro Ribeiro
-BEGIN PGP SIGNED MESSAGE-
Hash: SHA1

Package: util-linux
Version: 2.14~rc2-0
Severity: minor
Tags: patch l10n


While translating util-linux, i've found several strings without gettext
calls, in the hwclock module.

Patch included. Forwarded to upstream.

-BEGIN PGP SIGNATURE-
Version: GnuPG v1.4.9 (GNU/Linux)
Comment: Using GnuPG with Mozilla - http://enigmail.mozdev.org

iEYEARECAAYFAkjZZWAACgkQQ1WdpTsIkf6yxACeN8ZpcAYW+JL/KTGQJRozcrxz
MLEAn1Mq5Z4O7joDB4M7mA1VlhB6+Vlf
=LSiK
-END PGP SIGNATURE-

diff --git a/hwclock/cmos.c b/hwclock/cmos.c
index ca3ca61..c45a504 100644
--- a/hwclock/cmos.c
+++ b/hwclock/cmos.c
@@ -291,10 +291,10 @@ unsigned long cmos_read(unsigned long reg)
 unsigned char v = reg | 0x80;
 lseek(dev_port_fd, clock_ctl_addr, 0);
 if (write(dev_port_fd, v, 1) == -1  debug)
-  printf(cmos_read(): write to control address %X failed: %s\n, clock_ctl_addr, strerror(errno));
+  printf(_(cmos_read(): write to control address %X failed: %s\n), clock_ctl_addr, strerror(errno));
 lseek(dev_port_fd, clock_data_addr, 0);
 if (read(dev_port_fd, v, 1) == -1  debug)
-  printf(cmos_read(): read data address %X failed: %s\n, clock_data_addr, strerror(errno));
+  printf(_(cmos_read(): read data address %X failed: %s\n), clock_data_addr, strerror(errno));
 return v;
   } else {
 /* We only want to read CMOS data, but unfortunately
@@ -325,11 +325,11 @@ unsigned long cmos_write(unsigned long reg, unsigned long val)
 unsigned char v = reg | 0x80;
 lseek(dev_port_fd, clock_ctl_addr, 0);
 if (write(dev_port_fd, v, 1) == -1  debug)
-  printf(cmos_write(): write to control address %X failed: %s\n, clock_ctl_addr, strerror(errno));
+  printf(_(cmos_write(): write to control address %X failed: %s\n), clock_ctl_addr, strerror(errno));
 v = (val  0xff);
 lseek(dev_port_fd, clock_data_addr, 0);
 if (write(dev_port_fd, v, 1) == -1  debug)
-  printf(cmos_write(): write to data address %X failed: %s\n, clock_data_addr, strerror(errno));
+  printf(_(cmos_write(): write to data address %X failed: %s\n), clock_data_addr, strerror(errno));
   } else {
 outb (reg, clock_ctl_addr);
 outb (val, clock_data_addr);
diff --git a/hwclock/hwclock.c b/hwclock/hwclock.c
index 48b47ad..6218c7a 100644
--- a/hwclock/hwclock.c
+++ b/hwclock/hwclock.c
@@ -922,18 +922,18 @@ save_adjtime(const struct adjtime adjtime, const bool testing) {
 
   adjfile = fopen(adj_file_name, w);
   if (adjfile == NULL) {
-outsyserr(Could not open file with the clock adjustment parameters 
-   in it (%s) for writing, adj_file_name);
+outsyserr(_(Could not open file with the clock adjustment parameters 
+   in it (%s) for writing), adj_file_name);
 	err = 1;
   } else {
 if (fputs(newfile, adjfile)  0) {
-	  outsyserr(Could not update file with the clock adjustment 
-		parameters (%s) in it, adj_file_name);
+	  outsyserr(_(Could not update file with the clock adjustment 
+		parameters (%s) in it), adj_file_name);
 	  err = 1;
 }
 if (fclose(adjfile)  0) {
-  outsyserr(Could not update file with the clock adjustment 
-		parameters (%s) in it, adj_file_name);
+  outsyserr(_(Could not update file with the clock adjustment 
+		parameters (%s) in it), adj_file_name);
 	  err = 1;
 }
   }
@@ -987,8 +987,8 @@ do_adjustment(struct adjtime *adjtime_p,
 adjtime_p-dirty = TRUE;
   } else if (adjtime_p-last_adj_time == 0) {
 if (debug)
-  printf(Not setting clock because last adjustment time is zero, 
-	 so history is bad.);
+  printf(_(Not setting clock because last adjustment time is zero, 
+	 so history is bad.));
   } else {
 int adjustment;
 /* Number of seconds we must insert in the Hardware Clock */
@@ -1592,7 +1592,7 @@ hwaudit_exit(int status)
 {
 	if (hwaudit_on) {
 		audit_log_user_message(hwaudit_fd, AUDIT_USYS_CONFIG,
-			changing system time, NULL, NULL, NULL, status ? 0 : 1);
+			_(changing system time), NULL, NULL, NULL, status ? 0 : 1);
 		close(hwaudit_fd);
 	}
 	exit(status);


Bug#499949: util-linux: [login-utils] several strings without gettext calls

2008-09-23 Thread Pedro Ribeiro
-BEGIN PGP SIGNED MESSAGE-
Hash: SHA1

Package: util-linux
Version: 2.14~rc2-0
Severity: minor
Tags: patch l10n

While translating util-linux, i've found several strings without gettext
calls, in the login-utils module

Patch included. Forwarded to upstream.


-BEGIN PGP SIGNATURE-
Version: GnuPG v1.4.9 (GNU/Linux)
Comment: Using GnuPG with Mozilla - http://enigmail.mozdev.org

iEYEARECAAYFAkjZZbkACgkQQ1WdpTsIkf7o9ACcDCmMV4k2SDpYTRLO8F2/R3I4
eT0AnivmO6UFsq1aZbFYdRWHAiXAhrN0
=GrVA
-END PGP SIGNATURE-

diff --git a/disk-utils/elvtune.c b/disk-utils/elvtune.c
index fc7550b..8d18003 100644
--- a/disk-utils/elvtune.c
+++ b/disk-utils/elvtune.c
@@ -50,7 +50,7 @@ usage(void) {
 		 /dev/blkdev1 [/dev/blkdev2...]\n);
 	fprintf(stderr, \telvtune -h\n);
 	fprintf(stderr, \telvtune -v\n);
-	fprintf(stderr, \tNOTE: elvtune only works with 2.4 kernels\n);
+	fprintf(stderr, _(\tNOTE: elvtune only works with 2.4 kernels\n));
 	/* (ioctls exist in 2.2.16 - 2.5.57) */
 }
 
@@ -97,13 +97,13 @@ main(int argc, char * argv[]) {
 		case '?':
 		default:
 		case ':':
-			fprintf(stderr, parse error\n);
+			fprintf(stderr, _(parse error\n));
 			exit(1);
 		}
 	}
 
 	if (optind = argc)
-		fprintf(stderr, missing blockdevice, use -h for help\n), exit(1);
+		fprintf(stderr, _(missing blockdevice, use -h for help\n)), exit(1);
 
 	while (optind  argc) {
 		devname = argv[optind++];
@@ -124,9 +124,9 @@ main(int argc, char * argv[]) {
 			if ((errsv == EINVAL || errsv == ENOTTY) 
 			get_linux_version() = KERNEL_VERSION(2,5,58)) {
 fprintf(stderr,
-	\nelvtune is only useful on older 
+	_(\nelvtune is only useful on older 
 	kernels;\nfor 2.6 use IO scheduler 
-	sysfs tunables instead..\n);
+	sysfs tunables instead..\n));
 			}
 			break;
 		}
diff --git a/disk-utils/fsck.cramfs.c b/disk-utils/fsck.cramfs.c
index aeb766f..6154729 100644
--- a/disk-utils/fsck.cramfs.c
+++ b/disk-utils/fsck.cramfs.c
@@ -144,16 +144,16 @@ static void test_super(int *start, size_t *length) {
 
 	/* find the physical size of the file or block device */
 	if (stat(filename, st)  0) {
-		die(FSCK_ERROR, 1, stat failed: %s, filename);
+		die(FSCK_ERROR, 1, _(stat failed: %s), filename);
 	}
 	fd = open(filename, O_RDONLY);
 	if (fd  0) {
-		die(FSCK_ERROR, 1, open failed: %s, filename);
+		die(FSCK_ERROR, 1, _(open failed: %s), filename);
 	}
 	if (S_ISBLK(st.st_mode)) {
 		unsigned long long bytes;
 		if (blkdev_get_size(fd, bytes)) {
-			die(FSCK_ERROR, 1, ioctl failed: unable to determine device size: %s, filename);
+			die(FSCK_ERROR, 1, _(ioctl failed: unable to determine device size: %s), filename);
 		}
 		*length = bytes;
 	}
@@ -161,16 +161,16 @@ static void test_super(int *start, size_t *length) {
 		*length = st.st_size;
 	}
 	else {
-		die(FSCK_ERROR, 0, not a block device or file: %s, filename);
+		die(FSCK_ERROR, 0, _(not a block device or file: %s), filename);
 	}
 
 	if (*length  sizeof(struct cramfs_super)) {
-		die(FSCK_UNCORRECTED, 0, file length too short);
+		die(FSCK_UNCORRECTED, 0, _(file length too short));
 	}
 
 	/* find superblock */
 	if (read(fd, super, sizeof(super)) != sizeof(super)) {
-		die(FSCK_ERROR, 1, read failed: %s, filename);
+		die(FSCK_ERROR, 1, _(read failed: %s), filename);
 	}
 	if (super.magic == CRAMFS_MAGIC) {
 		*start = 0;
@@ -178,7 +178,7 @@ static void test_super(int *start, size_t *length) {
 	else if (*length = (PAD_SIZE + sizeof(super))) {
 		lseek(fd, PAD_SIZE, SEEK_SET);
 		if (read(fd, super, sizeof(super)) != sizeof(super)) {
-			die(FSCK_ERROR, 1, read failed: %s, filename);
+			die(FSCK_ERROR, 1, _(read failed: %s), filename);
 		}
 		if (super.magic == CRAMFS_MAGIC) {
 			*start = PAD_SIZE;
@@ -187,27 +187,27 @@ static void test_super(int *start, size_t *length) {
 
 	/* superblock tests */
 	if (super.magic != CRAMFS_MAGIC) {
-		die(FSCK_UNCORRECTED, 0, superblock magic not found);
+		die(FSCK_UNCORRECTED, 0, _(superblock magic not found));
 	}
 	if (super.flags  ~CRAMFS_SUPPORTED_FLAGS) {
-		die(FSCK_ERROR, 0, unsupported filesystem features);
+		die(FSCK_ERROR, 0, _(unsupported filesystem features));
 	}
 	if (super.size  page_size) {
-		die(FSCK_UNCORRECTED, 0, superblock size (%d) too small, super.size);
+		die(FSCK_UNCORRECTED, 0, _(superblock size (%d) too small), super.size);
 	}
 	if (super.flags  CRAMFS_FLAG_FSID_VERSION_2) {
 		if (super.fsid.files == 0) {
-			die(FSCK_UNCORRECTED, 0, zero file count);
+			die(FSCK_UNCORRECTED, 0, _(zero file count));
 		}
 		if (*length  super.size) {
-			die(FSCK_UNCORRECTED, 0, file length too short);
+			die(FSCK_UNCORRECTED, 0, _(file length too short));
 		}
 		else if (*length  super.size) {
-			fprintf(stderr, warning: file extends past end of filesystem\n);
+			fprintf(stderr, _(warning: file extends past end of filesystem\n));
 		}
 	}
 	else {
-		fprintf(stderr, warning: old cramfs format\n);
+		fprintf(stderr, _(warning: old cramfs format\n));
 	}
 }
 
@@ -220,7 +220,7 @@ static void 

Bug#499955: util-linux: [fdisk] several strings without gettext calls

2008-09-23 Thread Pedro Ribeiro
-BEGIN PGP SIGNED MESSAGE-
Hash: SHA1

Package: util-linux
Version: 2.14~rc2-0
Severity: minor
Tags: patch l10n


While translating util-linux, i've found several strings without gettext
calls, in the fdisk module.

Patch included. Forwarded to upstream.
-BEGIN PGP SIGNATURE-
Version: GnuPG v1.4.9 (GNU/Linux)
Comment: Using GnuPG with Mozilla - http://enigmail.mozdev.org

iEYEARECAAYFAkjZa2kACgkQQ1WdpTsIkf4+uQCeKvCVW2P989IrJV/wsVDS7Fw0
j9cAnAuyZXfIBMLnKzgIvIT+t4y7Do2A
=C8Iv
-END PGP SIGNATURE-

diff --git a/fdisk/fdisk.c b/fdisk/fdisk.c
index 2651932..add1a08 100644
--- a/fdisk/fdisk.c
+++ b/fdisk/fdisk.c
@@ -775,7 +775,7 @@ read_extended(int ext) {
 
 		if (!get_nr_sects(pe-part_table) 
 		(partitions  5 || ptes[4].part_table-sys_ind)) {
-			printf(omitting empty partition (%d)\n, i+1);
+			printf(_(omitting empty partition (%d)\n), i+1);
 			delete_partition(i);
 			goto remove; 	/* numbering changed */
 		}
@@ -1779,7 +1779,7 @@ fix_partition_table_order(void) {
 	if (i)
 		fix_chain_of_logicals();
 
-	printf(Done.\n);
+	printf(_(Done.\n));
 
 }
 
diff --git a/fdisk/fdisksgilabel.c b/fdisk/fdisksgilabel.c
index 9f87751..6dd2e1e 100644
--- a/fdisk/fdisksgilabel.c
+++ b/fdisk/fdisksgilabel.c
@@ -465,7 +465,7 @@ verify_sgi(int verbose)
 		if (verbose)
 			printf(_(One Partition (#11) should cover the entire disk.\n));
 		if (debug2)
-			printf(sysid=%d\tpartition=%d\n,
+			printf(_(sysid=%d\tpartition=%d\n),
 			   sgi_get_sysid(Index[0]), Index[0]+1);
 	}
 	for (i=1, start=0; isortcount; i++) {
diff --git a/fdisk/fdisksunlabel.c b/fdisk/fdisksunlabel.c
index e6f1725..935c92a 100644
--- a/fdisk/fdisksunlabel.c
+++ b/fdisk/fdisksunlabel.c
@@ -446,9 +446,9 @@ void add_sun_partition(int n, int sys)
 first += cs - x;
 		}
 		if (n == 2  first != 0)
-			printf (\
+			printf (_(\
 It is highly recommended that the third partition covers the whole disk\n\
-and is of type `Whole disk'\n);
+and is of type `Whole disk'\n));
 		/* ewt asks to add: don't start a partition at cyl 0
 		   However, [EMAIL PROTECTED] writes:
 		   In addition to having a Sun partition table, to be able to
diff --git a/fdisk/sfdisk.c b/fdisk/sfdisk.c
index 483ef8e..e52e328 100644
--- a/fdisk/sfdisk.c
+++ b/fdisk/sfdisk.c
@@ -930,7 +930,7 @@ static void
 out_partition_header(char *dev, int format, struct geometry G) {
 if (dump) {
 	printf(_(# partition table of %s\n), dev);
-	printf(unit: sectors\n\n);
+	printf(_(unit: sectors\n\n));
 	return;
 }
 
@@ -1058,12 +1058,12 @@ out_partition(char *dev, int format, struct part_desc *p,
 size = p-size;
 
 if (dump) {
-	printf( start=%9lu, start);
-	printf(, size=%9lu, size);
+	printf(_( start=%9lu), start);
+	printf(_(, size=%9lu), size);
 	if (p-ptype == DOS_TYPE) {
 	printf(, Id=%2x, p-p.sys_type);
 	if (p-p.bootable == 0x80)
-		printf(, bootable);
+		printf(_(, bootable));
 	}
 	printf(\n);
 	return;


Bug#499958: util-linux: [misc-utils] several strings without gettext calls

2008-09-23 Thread Pedro Ribeiro

Package: util-linux
Version: 2.14~rc2-0
Severity: minor
Tags: patch l10n


While translating util-linux, i've found several strings without gettext
calls, in the misc-utils module.

Patch included. Forwarded to upstream.


diff --git a/misc-utils/logger.c b/misc-utils/logger.c
index 9a7cb05..72a8f85 100644
--- a/misc-utils/logger.c
+++ b/misc-utils/logger.c
@@ -64,7 +64,7 @@ myopenlog(const char *sock) {
static struct sockaddr_un s_addr; /* AF_UNIX address of local logger */
 
if (strlen(sock) = sizeof(s_addr.sun_path)) {
-	   printf (logger: openlog: pathname too long\n);
+	   printf (_(logger: openlog: pathname too long\n));
 	   exit(1);
}
 
@@ -72,12 +72,12 @@ myopenlog(const char *sock) {
(void)strcpy(s_addr.sun_path, sock);
 
if ((fd = socket(AF_UNIX, optd ? SOCK_DGRAM : SOCK_STREAM, 0)) == -1) {
-   printf (socket: %s.\n, strerror(errno));
+   printf (_(socket: %s.\n), strerror(errno));
exit (1);
}
 
if (connect(fd, (struct sockaddr *) s_addr, sizeof(s_addr)) == -1) {
-   printf (connect: %s.\n, strerror(errno));
+   printf (_(connect: %s.\n), strerror(errno));
exit (1);
}
return fd;


Bug#499959: util-linux: [mount] several strings without gettext strings

2008-09-23 Thread Pedro Ribeiro
-BEGIN PGP SIGNED MESSAGE-
Hash: SHA1


Package: util-linux
Version: 2.14~rc2-0
Severity: minor
Tags: patch l10n


While translating util-linux, i've found several strings without gettext
calls, in the mount module.

Patch included. Forwarded to upstream.

-BEGIN PGP SIGNATURE-
Version: GnuPG v1.4.9 (GNU/Linux)
Comment: Using GnuPG with Mozilla - http://enigmail.mozdev.org

iEYEARECAAYFAkjZbq4ACgkQQ1WdpTsIkf6dCACdEYVOU2gJizYKZKNC22JQ/pnH
t8IAn1jwB79YwCjBSo+FIDIxLXHjkhV9
=qlcb
-END PGP SIGNATURE-

diff --git a/mount/fstab.c b/mount/fstab.c
index 895fd2c..d91b4f1 100644
--- a/mount/fstab.c
+++ b/mount/fstab.c
@@ -937,7 +937,7 @@ main(int argc, char **argv)
 
 	if (argc  3)
 		die(EXIT_FAILURE,
-			usage: %s id synctime file nloops\n,
+			_(usage: %s id synctime file nloops\n),
 			progname);
 
 	id = atoi(argv[1]);
@@ -966,13 +966,13 @@ main(int argc, char **argv)
 
 		if (!(f = fopen(filename, r))) {
 			unlock_mtab();
-			die(EXIT_FAILURE, ERROR: %d (pid=%d, loop=%d): 
-	open for read failed\n, id, pid, i);
+			die(EXIT_FAILURE, _(ERROR: %d (pid=%d, loop=%d): 
+	open for read failed\n), id, pid, i);
 		}
 		if (!fgets(buf, sizeof(buf), f)) {
 			unlock_mtab();
-			die(EXIT_FAILURE, ERROR: %d (pid=%d, loop=%d): 
-	read failed\n, id, pid, i);
+			die(EXIT_FAILURE, _(ERROR: %d (pid=%d, loop=%d): 
+	read failed\n), id, pid, i);
 		}
 		fclose(f);
 
@@ -980,8 +980,8 @@ main(int argc, char **argv)
 
 		if (!(f = fopen(filename, w))) {
 			unlock_mtab();
-			die(EXIT_FAILURE, ERROR: %d (pid=%d, loop=%d): 
-	open for write failed\n, id, pid, i);
+			die(EXIT_FAILURE, _(ERROR: %d (pid=%d, loop=%d): 
+	open for write failed\n), id, pid, i);
 		}
 		fprintf(f, %ld, num);
 		fclose(f);
@@ -1003,7 +1003,7 @@ main(int argc, char **argv)
 		usleep(5);
 	}
 
-	fprintf(stderr, %05d (pid=%05d): DONE\n, id, pid);
+	fprintf(stderr, _(%05d (pid=%05d): DONE\n), id, pid);
 
 	exit(EXIT_SUCCESS);
 }
diff --git a/mount/lomount.c b/mount/lomount.c
index 6ef143a..b70f94b 100644
--- a/mount/lomount.c
+++ b/mount/lomount.c
@@ -620,7 +620,7 @@ xgetpass(int pfd, const char *prompt) {
 			pass = realloc(tmppass, buflen);
 			if (pass == NULL) {
 /* realloc failed. Stop reading. */
-error(Out of memory while reading passphrase);
+error(_(Out of memory while reading passphrase));
 pass = tmppass; /* the old buffer hasn't changed */
 break;
 			}
@@ -995,7 +995,7 @@ main(int argc, char **argv) {
 			return -1;
 		if (argc == optind) {
 			if (verbose)
-printf(Loop device is %s\n, device);
+printf(_(Loop device is %s\n), device);
 			printf(%s\n, device);
 			return 0;
 		}
@@ -1019,7 +1019,7 @@ main(int argc, char **argv) {
 			res = set_loop(device, file, off, slimit, encryption, pfd, ro);
 			if (res == 2  find) {
 if (verbose)
-	printf(stolen loop=%s...trying again\n,
+	printf(_(stolen loop=%s...trying again\n),
 		device);
 free(device);
 if (!(device = find_unused_loop_device()))
@@ -1028,7 +1028,7 @@ main(int argc, char **argv) {
 		} while (find  res == 2);
 
 		if (verbose  res == 0)
-			printf(Loop device is %s\n, device);
+			printf(_(Loop device is %s\n), device);
 
 		if (res == 0  showdev  find)
 			printf(%s\n, device);


Bug#499961: util-lilnux: [sys-utils] several strings without gettext calls

2008-09-23 Thread Pedro Ribeiro
-BEGIN PGP SIGNED MESSAGE-
Hash: SHA1

Package: util-linux
Version: 2.14~rc2-0
Severity: minor
Tags: patch l10n

While translating util-linux, i've found several strings without gettext
calls, in the sys-utils module.

Patch included. Forwarded to upstream.

-BEGIN PGP SIGNATURE-
Version: GnuPG v1.4.9 (GNU/Linux)
Comment: Using GnuPG with Mozilla - http://enigmail.mozdev.org

iEYEARECAAYFAkjZc2gACgkQQ1WdpTsIkf6tJwCfZGI3YRLwzgnjhNkuMISepjHp
aO4AnAyGEiWvzgfLOrsQk0HaPAmifzj+
=PonP
-END PGP SIGNATURE-

diff --git a/sys-utils/readprofile.c b/sys-utils/readprofile.c
index 950e905..52f5d8c 100644
--- a/sys-utils/readprofile.c
+++ b/sys-utils/readprofile.c
@@ -224,7 +224,7 @@ main(int argc, char **argv) {
 			exit(1);
 		}
 		if (write(fd, multiplier, to_write) != to_write) {
-			fprintf(stderr, readprofile: error writing %s: %s\n,
+			fprintf(stderr, _(readprofile: error writing %s: %s\n),
 defaultpro, strerror(errno));
 			exit(1);
 		}
@@ -265,8 +265,8 @@ main(int argc, char **argv) {
 small++;
 		}
 		if (big  small) {
-			fprintf(stderr,Assuming reversed byte order. 
-Use -n to force native byte order.\n);
+			fprintf(stderr,_(Assuming reversed byte order. 
+Use -n to force native byte order.\n));
 			for (p = buf; p  buf+entries; p++)
 for (i = 0; i  sizeof(*buf)/2; i++) {
 	unsigned char *b = (unsigned char *) p;


  1   2   >