akonadi et backend sqlite

2012-03-20 Thread Erwan David
J'ai (en wheezy) installé le backend sqlite de akonadi et
enlevé les backend mysql et postgresql.  Mais la console d'akonadi ne
me propose que mysql et postgresql, le rendant inutulisable. Config
qui traine quelque part et qu'il faudrait que je vire ou bug à reporter ?



-- 
Lisez la FAQ de la liste avant de poser une question :
http://wiki.debian.org/fr/FrenchLists

Pour vous DESABONNER, envoyez un message avec comme objet unsubscribe
vers debian-user-french-requ...@lists.debian.org
En cas de soucis, contactez EN ANGLAIS listmas...@lists.debian.org
Archive: http://lists.debian.org/20120320070753.ga13...@rail.eu.org



Parcourir un tableau de nom variable...

2012-03-20 Thread David BERCOT
Bonjour,

Visiblement, il me manque quelque chose, mais je n'arrive pas à trouver
quoi...
Je cherche donc à parcourir un tableau dont le nom est fourni au
lancement du script. Et là, je n'y arrive pas...

Ce serait quelque chose du genre :

#!/bin/bash

tableau1=(element1 element2 element3)
tableau2=(element1 element2 element3)
tableau3=(element1 element2 element3)

tableau=$1 # Nom du tableau à utiliser

for element in ${$tableau[@]}
do
echo $element
done

Et là, bien évidemment, ma syntaxe ${$tableau[@]} ne lui plaît pas...

Auriez-vous une idée pour résoudre ce problème ?

Merci d'avance.

David.

--
Lisez la FAQ de la liste avant de poser une question :
http://wiki.debian.org/fr/FrenchLists

Pour vous DESABONNER, envoyez un message avec comme objet unsubscribe
vers debian-user-french-requ...@lists.debian.org
En cas de soucis, contactez EN ANGLAIS listmas...@lists.debian.org
Archive: http://lists.debian.org/20120320094822.0c7aad0b@debian-david



Re: installation carte graphique ATI Radéon X1300

2012-03-20 Thread andre_debian
 On Mon, 19 Mar 2012 20:50:51 +0100
 andre_debian andre_deb...@numericable.fr wrote:
  Je n'ai plus la mention VESA dans /var/log/Xorg.0.log
  mais RADEONHD.
  Je pense que c'est bon,
  mais la qualité d'affichage par rapport à mon ancienne Lenny et le pilote
  proprio ATI, semble moins bon.

On Monday 19 March 2012 21:18:20 Bzzz wrote:
 Installe mesa-utils si ça n'est pas déjà fait, et vois ce qui se
 passe avec glxgears et surtout glxinfo|grep rend

# glxinfo ou glxgears ou glxinfo me répondent :

name of display: :0.0
X Error of failed request:  BadRequest 
(invalid request code or no such operation)
  Major opcode of failed request:  137 (GLX)
  Minor opcode of failed request:  19 (X_GLXQueryServerString)
  Serial number of failed request:  12
  Current serial number in output stream:  12


Merci.

andré

--
Lisez la FAQ de la liste avant de poser une question :
http://wiki.debian.org/fr/FrenchLists

Pour vous DESABONNER, envoyez un message avec comme objet unsubscribe
vers debian-user-french-requ...@lists.debian.org
En cas de soucis, contactez EN ANGLAIS listmas...@lists.debian.org
Archive: http://lists.debian.org/201203200952.18293.andre_deb...@numericable.fr



Re: Parcourir un tableau de nom variable...

2012-03-20 Thread Adrien Martins

Le 20/03/2012 09:48, David BERCOT a écrit :

Bonjour,

Visiblement, il me manque quelque chose, mais je n'arrive pas à trouver
quoi...
Je cherche donc à parcourir un tableau dont le nom est fourni au
lancement du script. Et là, je n'y arrive pas...

Ce serait quelque chose du genre :

#!/bin/bash

tableau1=(element1 element2 element3)
tableau2=(element1 element2 element3)
tableau3=(element1 element2 element3)

tableau=$1 # Nom du tableau à utiliser

for element in ${$tableau[@]}
do
echo $element
done

Et là, bien évidemment, ma syntaxe ${$tableau[@]} ne lui plaît pas...

Auriez-vous une idée pour résoudre ce problème ?

Merci d'avance.

David.



Bonjour,

Déjà, il ne faut pas mettre de $ dans les accolades. Il faut écrire 
${tableau[@]}.


Ensuite, tableau est une chaîne de caractère et non pas une référence 
vers un tableau pré-enregistré. Du coup, ton echo $element va renvoyer 
ton premier paramètre.


Personnellement, j'écrirai le script de cette manière :
#!/bin/bash

tableau1=(element1 element2 element3)
tableau2=(element1 element2 element3)
tableau3=(element1 element2 element3)

case $1 in
tableau1)
tableau=${tableau1[@]}
;;
tableau2)
tableau=${tableau2[@]}
;;
tableau3)
tableau=${tableau3[@]}
;;
esac

for element in ${tableau[@]}
do
echo $element
done

Adrien

--
Lisez la FAQ de la liste avant de poser une question :
http://wiki.debian.org/fr/FrenchLists

Pour vous DESABONNER, envoyez un message avec comme objet unsubscribe
vers debian-user-french-requ...@lists.debian.org
En cas de soucis, contactez EN ANGLAIS listmas...@lists.debian.org
Archive: http://lists.debian.org/4f684adc.4090...@gmail.com



Re: Parcourir un tableau de nom variable...

2012-03-20 Thread David BERCOT
C'est parfait !

Il me suffit de faire :
tableau=$(eval echo \\${$1[@]}\) à la place de tableau=$1
et tout le reste fonctionne...

Merci.

David.

Le Tue, 20 Mar 2012 10:18:04 +0100,
Timothee CLERC timothee.cl...@nameshield.net a écrit :
Bonjour,

Cela pourra peut-être te donner une piste.

#!/bin/bash

tableau1=(element1 element2 element3)
tableau2=(element1 element2 element3)
tableau3=(element1 element2 element3)

tableau=$1 # Nom du tableau à utiliser
echo $(eval echo \\${$tableau[@]}\)

bash toto tableau1
element1 element2 element3

Le 20/03/2012 09:48, David BERCOT a écrit :
 Bonjour,

 Visiblement, il me manque quelque chose, mais je n'arrive pas à
 trouver quoi...
 Je cherche donc à parcourir un tableau dont le nom est fourni au
 lancement du script. Et là, je n'y arrive pas...

 Ce serait quelque chose du genre :

 #!/bin/bash

 tableau1=(element1 element2 element3)
 tableau2=(element1 element2 element3)
 tableau3=(element1 element2 element3)

 tableau=$1 # Nom du tableau à utiliser

 for element in ${$tableau[@]}
 do
  echo $element
 done

 Et là, bien évidemment, ma syntaxe ${$tableau[@]} ne lui plaît
 pas...

 Auriez-vous une idée pour résoudre ce problème ?

 Merci d'avance.

 David.

--
Lisez la FAQ de la liste avant de poser une question :
http://wiki.debian.org/fr/FrenchLists

Pour vous DESABONNER, envoyez un message avec comme objet unsubscribe
vers debian-user-french-requ...@lists.debian.org
En cas de soucis, contactez EN ANGLAIS listmas...@lists.debian.org
Archive: http://lists.debian.org/20120320103317.05a54ca0@debian-david



Re: Parcourir un tableau de nom variable...

2012-03-20 Thread daniel huhardeaux

Le 20/03/2012 10:16, Adrien Martins a écrit :

Le 20/03/2012 09:48, David BERCOT a écrit :

Bonjour,

Visiblement, il me manque quelque chose, mais je n'arrive pas à trouver
quoi...
Je cherche donc à parcourir un tableau dont le nom est fourni au
lancement du script. Et là, je n'y arrive pas...

Ce serait quelque chose du genre :

#!/bin/bash

tableau1=(element1 element2 element3)
tableau2=(element1 element2 element3)
tableau3=(element1 element2 element3)

tableau=$1 # Nom du tableau à utiliser

for element in ${$tableau[@]}
do
echo $element
done

Et là, bien évidemment, ma syntaxe ${$tableau[@]} ne lui plaît pas...

Auriez-vous une idée pour résoudre ce problème ?

Merci d'avance.

David.



Bonjour,

Déjà, il ne faut pas mettre de $ dans les accolades. Il faut écrire 
${tableau[@]}.


Ensuite, tableau est une chaîne de caractère et non pas une référence 
vers un tableau pré-enregistré. Du coup, ton echo $element va renvoyer 
ton premier paramètre.


Personnellement, j'écrirai le script de cette manière :
#!/bin/bash

tableau1=(element1 element2 element3)
tableau2=(element1 element2 element3)
tableau3=(element1 element2 element3)

case $1 in
tableau1)
tableau=${tableau1[@]}
;;
tableau2)
tableau=${tableau2[@]}
;;
tableau3)
tableau=${tableau3[@]}
;;
esac

for element in ${tableau[@]}
do
echo $element
done



Autre solution:

#!/bin/bash

tableau1() {
tableau=(element1 element2 element3)
}

tableau2() {
tableau=(element1 element2 element3)
}

tableau3() {
tableau=(element1 element2 element3)
}

# Main menu

$1 # vaut tableau1 ou tableau2 ou tableau3

for element in ${tableau[@]}
do
echo $element
done

--
Lisez la FAQ de la liste avant de poser une question :
http://wiki.debian.org/fr/FrenchLists

Pour vous DESABONNER, envoyez un message avec comme objet unsubscribe
vers debian-user-french-requ...@lists.debian.org
En cas de soucis, contactez EN ANGLAIS listmas...@lists.debian.org
Archive: http://lists.debian.org/4f684d60.4000...@tootai.net



Re: Parcourir un tableau de nom variable...

2012-03-20 Thread Timothee CLERC

  
  
Bonjour,

Cela pourra peut-être te donner une piste.

#!/bin/bash

tableau1=(element1 element2 element3)
tableau2=(element1 element2 element3)
tableau3=(element1 element2 element3)

tableau="$1" # Nom du tableau à utiliser
echo "$(eval echo \"\${$tableau[@]}\")" 


bash toto tableau1
element1 element2 element3



Le 20/03/2012 09:48, David BERCOT a écrit :

  Bonjour,

Visiblement, il me manque quelque chose, mais je n'arrive pas à trouver
quoi...
Je cherche donc à parcourir un tableau dont le nom est fourni au
lancement du script. Et là, je n'y arrive pas...

Ce serait quelque chose du genre :

#!/bin/bash

tableau1=(element1 element2 element3)
tableau2=(element1 element2 element3)
tableau3=(element1 element2 element3)

tableau="$1" # Nom du tableau à utiliser

for element in "${$tableau[@]}"
do
	echo $element
done

Et là, bien évidemment, ma syntaxe "${$tableau[@]}" ne lui plaît pas...

Auriez-vous une idée pour résoudre ce problème ?

Merci d'avance.

David.





-- 
  Timothée CLERC
Administrateur Systèmes et Réseaux
  Nameshield

  27 rue des Arènes 
  49100 ANGERS
+33 2 41 18 28 28

***



Merci
  d'imprimer ce message que si vous en avez l'utilité.
  



Re: installation carte graphique ATI Radéon X1300

2012-03-20 Thread Bzzz
On Tue, 20 Mar 2012 09:52:18 +0100
andre_debian andre_deb...@numericable.fr wrote:

 name of display: :0.0
 X Error of failed request:  BadRequest 
 (invalid request code or no such operation)
   Major opcode of failed request:  137 (GLX)
   Minor opcode of failed request:  19 (X_GLXQueryServerString)
   Serial number of failed request:  12
   Current serial number in output stream:  12

Apabon, apaaccéléré.

Mankkékchoz, à savoir quoi (une lib?); voir les nombreux howtos
sur le web, tu y trouveras sans doute le renseignement voulu.

-- 

--
Lisez la FAQ de la liste avant de poser une question :
http://wiki.debian.org/fr/FrenchLists

Pour vous DESABONNER, envoyez un message avec comme objet unsubscribe
vers debian-user-french-requ...@lists.debian.org
En cas de soucis, contactez EN ANGLAIS listmas...@lists.debian.org
Archive: http://lists.debian.org/20120320130126.6168bfec@anubis.defcon1



Re: installation carte graphique ATI Radéon X1300

2012-03-20 Thread andre_debian
On Tuesday 20 March 2012 13:01:26 Bzzz wrote:
 On Tue, 20 Mar 2012 09:52:18 +0100

 andre_debian andre_deb...@numericable.fr wrote:
  name of display: :0.0
  X Error of failed request:  BadRequest
  (invalid request code or no such operation)
Major opcode of failed request:  137 (GLX)
Minor opcode of failed request:  19 (X_GLXQueryServerString)
Serial number of failed request:  12
Current serial number in output stream:  12

 Apabon, apaaccéléré.
 Mankkékchoz, à savoir quoi (une lib?); voir les nombreux howtos
 sur le web, tu y trouveras sans doute le renseignement voulu.

En décommentant des options dans /etc/X11/xorg.conf
j'ai maintenant ce résultat :

# glxinfo|grep rend :
direct rendering: Yes
OpenGL renderer string: Mesa DRI R300 (RV515 7187) 20090101 x86/MMX+/3DNow!
+/SSE2 TCL

ET

# glxinfo
name of display: :0.0
display: :0  screen: 0
direct rendering: Yes
server glx vendor string: SGI
server glx version string: 1.2
server glx extensions:
GLX_ARB_multisample, GLX_EXT_import_context, GLX_EXT_texture_from_pixmap,
...

Pour l'accélération 3D, je vois pas ... 
soit ma carte vidéo ne l'a pas ou en validant d'autres options ... ?

Merci.

andré

--
Lisez la FAQ de la liste avant de poser une question :
http://wiki.debian.org/fr/FrenchLists

Pour vous DESABONNER, envoyez un message avec comme objet unsubscribe
vers debian-user-french-requ...@lists.debian.org
En cas de soucis, contactez EN ANGLAIS listmas...@lists.debian.org
Archive: http://lists.debian.org/201203201430.47586.andre_deb...@numericable.fr



Re: apt-cache search ne montre pas le paquet:repot perso

2012-03-20 Thread deb-account

On 20/03/12 12:45, admini wrote:

salut la liste,

je me suis amusé à construire un repot perso, dans

/var/www/debian/dists/stable/main/binary-amd64

As-tu utilisé reprepro ?

--
Lisez la FAQ de la liste avant de poser une question :
http://wiki.debian.org/fr/FrenchLists

Pour vous DESABONNER, envoyez un message avec comme objet unsubscribe
vers debian-user-french-requ...@lists.debian.org
En cas de soucis, contactez EN ANGLAIS listmas...@lists.debian.org
Archive: http://lists.debian.org/4f688a0d.8020...@free.fr



Re: apt-cache search ne montre pas le paquet:repot perso

2012-03-20 Thread admini
On Tue, 20 Mar 2012 14:45:49 +0100, deb-account theedge...@free.fr
wrote:
 On 20/03/12 12:45, admini wrote:
 salut la liste,

 je me suis amusé à construire un repot perso, dans

 /var/www/debian/dists/stable/main/binary-amd64
 As-tu utilisé reprepro ?
non. j'ai le repot entièrement à la main. je voulais juste tester le
mécanisme avant d'automatiser les choses.

-- 
Lisez la FAQ de la liste avant de poser une question :
http://wiki.debian.org/fr/FrenchLists

Pour vous DESABONNER, envoyez un message avec comme objet unsubscribe
vers debian-user-french-requ...@lists.debian.org
En cas de soucis, contactez EN ANGLAIS listmas...@lists.debian.org
Archive: http://lists.debian.org/d78ba776e00ade375b033df232d886b5@localhost



Re: installation carte graphique ATI Radéon X1300

2012-03-20 Thread Bzzz
On Tue, 20 Mar 2012 14:30:47 +0100
andre_debian andre_deb...@numericable.fr wrote:

 
 En décommentant des options dans /etc/X11/xorg.conf
 j'ai maintenant ce résultat :
 
 # glxinfo|grep rend :
 direct rendering: Yes
 OpenGL renderer string: Mesa DRI R300 (RV515 7187) 20090101 x86/MMX+/3DNow!
 +/SSE2 TCL

amarchmieudjà
 
 ET
 
 # glxinfo
 name of display: :0.0
 display: :0  screen: 0
 direct rendering: Yes
 server glx vendor string: SGI
 server glx version string: 1.2
 server glx extensions:
 GLX_ARB_multisample, GLX_EXT_import_context, GLX_EXT_texture_from_pixmap,
 ...
 
 Pour l'accélération 3D, je vois pas ... 
 soit ma carte vidéo ne l'a pas ou en validant d'autres options ... ?

Ben d'après le glxinfo|rend, tu es accéléré (es-tu un électron
bombardé de protons téléphonant à Genève?;).

Maintenant, c'est possible que ça soit comme avec le driver nouveau,
il lui faut ptêt une lib en plus pour être pleinement accéléré.

-- 
Q:  Heard about the ethnic who couldn't spell?
A:  He spent the night in a warehouse.

--
Lisez la FAQ de la liste avant de poser une question :
http://wiki.debian.org/fr/FrenchLists

Pour vous DESABONNER, envoyez un message avec comme objet unsubscribe
vers debian-user-french-requ...@lists.debian.org
En cas de soucis, contactez EN ANGLAIS listmas...@lists.debian.org
Archive: http://lists.debian.org/20120320145342.0c9f1b08@anubis.defcon1



Re: installation carte graphique ATI Radéon X1300

2012-03-20 Thread Bzzz
On Tue, 20 Mar 2012 14:30:47 +0100
andre_debian andre_deb...@numericable.fr wrote:

 

Si c'est comme pour nouveau, vérifie si:
libgl1-mesa-glx
libgl1-mesa-dri
-experimental
sont installées.

-- 

--
Lisez la FAQ de la liste avant de poser une question :
http://wiki.debian.org/fr/FrenchLists

Pour vous DESABONNER, envoyez un message avec comme objet unsubscribe
vers debian-user-french-requ...@lists.debian.org
En cas de soucis, contactez EN ANGLAIS listmas...@lists.debian.org
Archive: http://lists.debian.org/20120320150758.70ad3431@anubis.defcon1



Re: apt-cache search ne montre pas le paquet:repot perso

2012-03-20 Thread admini
On Tue, 20 Mar 2012 14:49:53 +0100, admini adm...@freeatome.com
wrote:
 On Tue, 20 Mar 2012 14:45:49 +0100, deb-account theedge...@free.fr
 wrote:
 On 20/03/12 12:45, admini wrote:
 salut la liste,

 je me suis amusé à construire un repot perso, dans

 /var/www/debian/dists/stable/main/binary-amd64
 As-tu utilisé reprepro ?
 non. j'ai le repot entièrement à la main. je voulais juste tester le
 mécanisme avant d'automatiser les choses.
encore plus drôle, sous xubuntu 11(en liveusb)et squeeze, je n'ai pas
ce problème. apt-cache trouve bien le paquet. 
sous lenny, c'est niet. on ne voit pas le paquet.

-- 
Lisez la FAQ de la liste avant de poser une question :
http://wiki.debian.org/fr/FrenchLists

Pour vous DESABONNER, envoyez un message avec comme objet unsubscribe
vers debian-user-french-requ...@lists.debian.org
En cas de soucis, contactez EN ANGLAIS listmas...@lists.debian.org
Archive: http://lists.debian.org/40b34b9faff86f104c6cc66b6bad5c1a@localhost



Re: apt-cache search ne montre pas le paquet:repot perso

2012-03-20 Thread Bzzz
On Tue, 20 Mar 2012 15:16:46 +0100
admini adm...@freeatome.com wrote:

  non. j'ai le popot entièrement dans la main. je voulais juste tester le
  mécanisme avant d'automatiser les choses.
 encore plus drôle, sous xubuntu 11(en liveusb)et squeeze, je n'ai pas
 ce problème. apt-cache trouve bien le paquet. 
 sous lenny, c'est niet. on ne voit pas le paquet.
 

Question bête: ça n'aurait pas à voir avec la clé gpg du repo?

-- 
Love is a slippery eel that bites like hell.
-- Matt Groening

--
Lisez la FAQ de la liste avant de poser une question :
http://wiki.debian.org/fr/FrenchLists

Pour vous DESABONNER, envoyez un message avec comme objet unsubscribe
vers debian-user-french-requ...@lists.debian.org
En cas de soucis, contactez EN ANGLAIS listmas...@lists.debian.org
Archive: http://lists.debian.org/20120320152634.24f66f50@anubis.defcon1



Re: apt-cache search ne montre pas le paquet:repot perso

2012-03-20 Thread admini
On Tue, 20 Mar 2012 15:26:34 +0100, Bzzz lazyvi...@gmx.com wrote:
 On Tue, 20 Mar 2012 15:16:46 +0100
 admini adm...@freeatome.com wrote:
 
  non. j'ai le popot entièrement dans la main. je voulais juste tester le
  mécanisme avant d'automatiser les choses.
 encore plus drôle, sous xubuntu 11(en liveusb)et squeeze, je n'ai pas
 ce problème. apt-cache trouve bien le paquet.
 sous lenny, c'est niet. on ne voit pas le paquet.

 
 Question bête: ça n'aurait pas à voir avec la clé gpg du repo?
et bien, je ne pense pas. puisque ca fonctionne sur xubuntu et squeeze.
ceci dit, je peux signer le fichier release avec gpg et faire un test.
 
 -- 
 Love is a slippery eel that bites like hell.
   -- Matt Groening

-- 
Lisez la FAQ de la liste avant de poser une question :
http://wiki.debian.org/fr/FrenchLists

Pour vous DESABONNER, envoyez un message avec comme objet unsubscribe
vers debian-user-french-requ...@lists.debian.org
En cas de soucis, contactez EN ANGLAIS listmas...@lists.debian.org
Archive: http://lists.debian.org/82208b47bedf5f1c8a5794b8d32ac5e2@localhost



Re: apt-cache search ne montre pas le paquet:repot perso

2012-03-20 Thread Sébastien NOBILI
Salut,

Le mardi 20 mars 2012 à 12:45, admini a écrit :
 /var/www/debian/dists/stable/main/binary-amd64

[...]

 prog_0.1.dsc  prog_0.1_i386.deb  Packages.bz2

Une différence d'architecture entre ton OS et le paquet ?
Ton OS est 32 ou 64 bits ?
Tu as testé avec un Ubuntu live, c'est un 32 ou 64 bits ?

Seb

-- 
Lisez la FAQ de la liste avant de poser une question :
http://wiki.debian.org/fr/FrenchLists

Pour vous DESABONNER, envoyez un message avec comme objet unsubscribe
vers debian-user-french-requ...@lists.debian.org
En cas de soucis, contactez EN ANGLAIS listmas...@lists.debian.org
Archive: http://lists.debian.org/20120320143723.ga7...@sebian.nob900.homeip.net



Re: apt-cache search ne montre pas le paquet:repot perso

2012-03-20 Thread admini
On Tue, 20 Mar 2012 15:37:23 +0100, Sébastien NOBILI
sebnewslet...@free.fr wrote:
 Salut,
 
 Le mardi 20 mars 2012 à 12:45, admini a écrit :
 /var/www/debian/dists/stable/main/binary-amd64
 
 [...]
 
 prog_0.1.dsc  prog_0.1_i386.deb  Packages.bz2
 
 Une différence d'architecture entre ton OS et le paquet ?
 Ton OS est 32 ou 64 bits ?
 Tu as testé avec un Ubuntu live, c'est un 32 ou 64 bits ?
au fait, c'est un script shell. théoriquement pas trop dépendant des
arches. cela dit, les autres machines sont 32. lenny est sous 64 en
effet.
sous /var/www/debian/dists/stable/main/, j'ai binary-amd64, et
binary-i386, qui n'est rien d'autre qu'un mountage bind de 64 
 
 Seb

-- 
Lisez la FAQ de la liste avant de poser une question :
http://wiki.debian.org/fr/FrenchLists

Pour vous DESABONNER, envoyez un message avec comme objet unsubscribe
vers debian-user-french-requ...@lists.debian.org
En cas de soucis, contactez EN ANGLAIS listmas...@lists.debian.org
Archive: http://lists.debian.org/929598c47c6b07c26a1bc1b5a2f038f2@localhost



Chargement des modules

2012-03-20 Thread MERLIN Philippe
Bonjour,
Existe t'il une doc récente concernant le chargement des modules au démarrage 
du système(linux 2.6.30 à 3.2), car si il y a beaucoup de documentations,  
souvent elles n'ont pas été modifiées pour suivre les dernières évolutions du 
système. A force de lire ces docs qui souvent ne sont pas datées on se perd et 
on ne sait plus ou est la vérité. Ce message fait suite à celui intitulé 
Problème avec linux-image-3.2.0-2-686-pae qui indiquait la perte de la 
souris lorsque j'utilisais ce noyau, mon analyse était erronnée car quelque 
jours plus tard le phénomène se reproduisait  et plus surprenant encore si je 
rebootais souvent la souris remarchais. Après analyse je me suis rendu compte 
que mon joystick ne fonctionnait plus et qu'il était en fait pris pour une 
souris /dev/input/mice et /dev/input/mouse0. Si le module sidewinder est 
chargé alors tout redevient nickel.
Je comprends que ma demande peut paraitre surprenante, mais sur un système qui 
a évolué depuis linux 2.4.20 à 3.2.0 les vérités du début ne sont plus 
forcément exactes.
A+
Philippe MERLIN

--
Lisez la FAQ de la liste avant de poser une question :
http://wiki.debian.org/fr/FrenchLists

Pour vous DESABONNER, envoyez un message avec comme objet unsubscribe
vers debian-user-french-requ...@lists.debian.org
En cas de soucis, contactez EN ANGLAIS listmas...@lists.debian.org
Archive: http://lists.debian.org/201203201657.55985.phil-deb1.mer...@laposte.net



Forcer une appli web à utiliser un proxy http sans la modifier

2012-03-20 Thread Olivier
Bonjour,

J'utilise une application web qui télé-charge certaines données sur internet.
Quand je l'installe sur un serveur qui accède normalement à Internet :
elle fonctionne.

Par contre, quand je l'installe sur une machine qui doit passer par un
proxy, elle ne fonctionne plus.
Comment modifier l'environnement pour contourner cette limitation ?
D'après ce que j'ai compris, cette application est écrite en PHP et
utiliserait curl.
Elle est lancée par un utilisateur sytème, c'est par un utilisateur
qui n'a pas de login.

J'ai ajouté 2 lignes http_proxy= et export htp_proxy dans /etc/profile.
J'ai pu vérifier qu'avec ça, pour des utilisateurs avec login, curl fonctionne.
Par contre; ça ne semble pas résoudre mon problème.

Slts

--
Lisez la FAQ de la liste avant de poser une question :
http://wiki.debian.org/fr/FrenchLists

Pour vous DESABONNER, envoyez un message avec comme objet unsubscribe
vers debian-user-french-requ...@lists.debian.org
En cas de soucis, contactez EN ANGLAIS listmas...@lists.debian.org
Archive: 
http://lists.debian.org/capet9jjv-0cc4cpws2h0rqpjcuaobfp_g2rhuzrqozkpnfp...@mail.gmail.com



Re: Chargement des modules

2012-03-20 Thread Bzzz
On Tue, 20 Mar 2012 16:57:55 +0100
MERLIN Philippe phil-deb1.mer...@laposte.net wrote:

 souris lorsque j'utilisais ce noyau, mon analyse était erronnée car quelque 
 jours plus tard le phénomène se reproduisait  et plus surprenant encore si je 
 rebootais souvent la souris remarchais. Après analyse je me suis rendu compte 
 que mon joystick ne fonctionnait plus et qu'il était en fait pris pour une 
 souris /dev/input/mice et /dev/input/mouse0. Si le module sidewinder est 
 chargé alors tout redevient nickel.

C'est un peu le même principe qu'avec 2 cartes son (ou une
webcam avec micro + 1 CS): le premier chargé hérite de la
pôle position.

Il me semble qu'on peut stabiliser ça en indiquant le device voulu
par son path; qq chose comme: 
Option   Device   /dev/input/by-path/platform-i8042-serio-1-event-mouse

-- 
Give me Librium or give me Meth.

--
Lisez la FAQ de la liste avant de poser une question :
http://wiki.debian.org/fr/FrenchLists

Pour vous DESABONNER, envoyez un message avec comme objet unsubscribe
vers debian-user-french-requ...@lists.debian.org
En cas de soucis, contactez EN ANGLAIS listmas...@lists.debian.org
Archive: http://lists.debian.org/2012032017.03b7707f@anubis.defcon1



Re: apt-cache search ne montre pas le paquet:repot perso

2012-03-20 Thread admini
On Tue, 20 Mar 2012 15:37:23 +0100, Sébastien NOBILI
sebnewslet...@free.fr wrote:
 Salut,
 
 Le mardi 20 mars 2012 à 12:45, admini a écrit :
 /var/www/debian/dists/stable/main/binary-amd64
 
 [...]
 
 prog_0.1.dsc  prog_0.1_i386.deb  Packages.bz2
 
 Une différence d'architecture entre ton OS et le paquet ?
 Ton OS est 32 ou 64 bits ?
 Tu as testé avec un Ubuntu live, c'est un 32 ou 64 bits ?
j'ai réussi à faire tester le paquet. la liste de l'arche était bien
valable. en effet, c'est moi qui ai fait le paquect en mettant
architecture, any
j'ai utilisé en suite reprepro pour reconstruire le repot. ca ne
fonctionnait toujours pas. jusqu'à ce que je tag mon paquet( control
file) avec archi amd64.
là, sur le 64, ca marche. sur les serveurs 32, le paquet disparait.

donc ma question maintenant est: quel est le mécanisme permettant à
debian de browser une branche particulière du repot en fonction de son
arch?

 
 Seb

-- 
Lisez la FAQ de la liste avant de poser une question :
http://wiki.debian.org/fr/FrenchLists

Pour vous DESABONNER, envoyez un message avec comme objet unsubscribe
vers debian-user-french-requ...@lists.debian.org
En cas de soucis, contactez EN ANGLAIS listmas...@lists.debian.org
Archive: http://lists.debian.org/726a45661e9b932b73aae69d53196e76@localhost



[OT] Weekend w Międzywodziu.

2012-03-20 Thread kzubik
Witam.
Pragne podac nowa wiadomosc o kolejnej imprezie przygotowywanej
dla Szluug-a i przyjaciol Szluug-a.
Miejsce. Ośrodek Wypoczynkowy Poranek ul. Puławska 1 (róg Westerplatte)
 Międzywodzie. http://poranek.miedzywodzie.biz
Termin. Od 13 do 15 kwietnia obecnie juz bardziej prawdopodobny, lub od 20
do 22 kwietnia,
od piatku do niedzieli. Jeszcze trwa wybor terminu.
Koszt. 20 zl nocleg od osoby. Wyzywienie we wlasnym zakresie.

Podaje wybrane fragmenty wiadomosci z Szlug-a.

**

Temat:  [SzLUUG] Weekend w Międzywodziu
Od: Tomasz Muras nexor1...@gmail.com
Data:   17 Marca 2012, 1:22 pm, So
Do: Szczecin Linux/Unix User Group szl...@lists.szluug.org

Drodzy Szluugowicze,
Zrobiła się całkiem fajna pogoda, więc pomyślałem o taki temacie:
miałbym możliwość załatwić nocleg w Międzywodziu dla członków Szluuga
(można zabrać nie-szluugowców ze sobą) w domkach w Międzywodziu.
Strona domków to http://poranek.miedzywodzie.biz . Moglibyśmy pojechać
w jakiś weekend przed sezonem, wynegocjowana specjalna cena dla
SZLUUGa to 20zł za osobę za cały weekend (całkowity koszt). Co
myślicie, byliby chętni? Jest tam całkiem fajny grill, można by sobie
odpocząć od moniorów :).



Super, parę osób się zbierze. Jeżeli chcemy, to czemu nie - można wziąść
laptopy, może ktoś by nawet przygotował jakiś ciekawy temat? Jakiegoś
tutoriala krótkiego, czy co...

Proponuję 2 terminy w kwietniu: weekend 14-tego i 21-szego. Decyzję o
wyjeździe możemy podjąć dzień wcześniej (np. zrezygnować dzień wcześniej
jeżeli będzie padało) albo umówić się, że jedziemy choćby nie wiem co
(najwyżej faktycznie z laptopami spędzimy czas).

Domki są 4-5 osobowe, więc musielibyśmy się jakoś pogrupować. Poproszę
wszystkich zainteresowanych o dopisanie się do gugla (nie trzeba mieć
konta):
https://docs.google.com/spreadsheet/ccc?key=0AubodyCtYNQndGtCT2oyOExzZ3VlVkl6V2hNaHdyVlE

Tomek Muras

**

Wybor terminu pod
https://docs.google.com/spreadsheet/ccc?key=0AubodyCtYNQndGtCT2oyOExzZ3VlVkl6V2hNaHdyVlE

W miedzyczasie tu pojawila sie propozycja, ze kolega moze przywiezie agregat
pradotworczy do zasilania notebookow. Czy tak bedzie okaze sie, czy
tez bedziemy mieli pelen odpoczynek od komputerow. W.g. mnie i tai i tak
bedzie OK.

Wyzywienie we wlasnym zakresie. Bedziemy mieli grill.
Najlepiej jedzenie przywiezc z domu, lub kupic po
drodze w wieksazym miescie gdyz miejscowe sklepy do tanich nie naleza.

Jezeli o mnie chodzi ja tu wybralem pierwszy termin
od 13 do 15 kwietnia niezaleznie od pogody. W drugim terminie nie
moge byc gdyz wtedy bede juz we Wroclawiu na Sesji Linuxowej.

Gdy ta impreza bedzie w pierwszym terminie oczywiscie pojade i
proponuje nastepujaca podroz z Trojmiasta.
Wyjazd. 12 kwietnia. Czwartek. wg. http://rozklad-pkp.pl

Gdansk-Glowny godz. 21 : 40 -- Poznan-Glowny godz. 2 : 20
TLK. 5620 (rel. Gdynia -- Wroclaw.)

Poznan-Glowny godz. 4 : 18 -- Swinoujscie godz. 9 : 22
TLK. 38204 (rel. Krakow -- Wroclaw -- Poznan -- Swinoujscie.)
Bilet normalny kl. 2, w jedna strone   69 zl.

Dalej autobusem wg. http://www.rozklady.com.pl i wiadomosci tel. od
przewoznika.

Swinoujscie godz. 10 : 30 -- Miedzywodzie godz. 11 : 10
(rel. Swinoujscie -- Kamien-Pomorski, przewoznik Emilbus.)
W Miedzywodziu sa dwa przystanki Miedzywodzie-skrzyzowanie i Miedzywodzie
Wysiadamy
na tym drugim t.j. blizej drogi wyjazdowej na Dziwnow.

Z pociagu na autobus mozna sie tez przesiasc w Miedzyzdrojach. Tu jak
dowiedzialem sie od przewoznika dalsze dojscie. W Swinoujsciu
przystanek autobusowy obok dworca PKP (mapka na stronie pokazuje
nieprawidlowo
dla Swinoujscia.)

Powrot. 15 kwietnia. Niedziela.

Miedzywodzie godz. 18 : 37 -- Swinoujscie godz. 19 : 15

Swinoujscie godz. 20 : 50 -- Poznan-Glowny godz. 1 : 30
TLK. 38204 (rel. Swinoujscie -- Krakow.)

Poznan-Glowny godz. 3 : 11 -- Gdansk-Glowny godz. 7 : 19
TLK. 65201 (rel. Wroclaw -- Gdynia.)

Jak zwykle gdy bedzie mozliwosc postawie obok siebie
Pingwinka i w miare mozliwosci postaram sie zajmowac miejsce na
poczatku pociagiw. Kto ma ochote dolaczyc?

Open Source jest dziś największym i najważniejszym nurtem w sektorze IT -
albo dasz się ponieść na fali, albo utoniesz próbując płynąć pod prąd...
-- 
Konczac Pozdrawiam. Krzysztof.

Registered Linux User: 253243
Powered by Aurox 11.0, Ubuntu Studio 8.04 i Fedora 9.0
Krzysztof Zubik. | kzu...@netglob.com.pl| kzu...@wp.pl
http://www.kzubik.cba.pl
GaduGadu. 1208376 | Jabber. kzu...@jabber.wp.pl | Skype. kzubik


--
To UNSUBSCRIBE, email to debian-user-polish-requ...@lists.debian.org
with a subject of unsubscribe. Trouble? Contact listmas...@lists.debian.org
Archive: 
http://lists.debian.org/b612dc0e5f8625b0f75ede61cd716f91.squir...@webmail.netglob.com.pl



NFS o Samba

2012-03-20 Thread Juan
Buenas tardes, tengo una pequeña duda, tengo una red con 5
computadoras, una es un server con Debian, 3 de las restantes tienen
ubuntu y debian y la cuarta tiene Windows y Ubuntu.

Quiero poner un par de Directorios en el server para ser usados por
todos los usuarios de todos los equipos, ¿que me comnviene usar Samba
o NFS? y si desaparece la maquina con Windows (supongamos que lo
desinstalo) y quedan solo las que tiene GNU/Linux, en ese caso ¿que es
mejor?

Agradezco las ideas que em den.
Saludos

Juan


--
To UNSUBSCRIBE, email to debian-user-spanish-requ...@lists.debian.org
with a subject of unsubscribe. Trouble? Contact listmas...@lists.debian.org
Archive: 
http://lists.debian.org/cafa+n8rvgo7dpujslr-iaoahmtw4tq_ay9mtgwak3ygt9vf...@mail.gmail.com



Re: NFS o Samba

2012-03-20 Thread Camaleón
El Tue, 20 Mar 2012 14:01:56 -0300, Juan escribió:

 Buenas tardes, tengo una pequeña duda, tengo una red con 5 computadoras,
 una es un server con Debian, 3 de las restantes tienen ubuntu y debian y
 la cuarta tiene Windows y Ubuntu.
 
 Quiero poner un par de Directorios en el server para ser usados por
 todos los usuarios de todos los equipos, ¿que me comnviene usar Samba o
 NFS? y si desaparece la maquina con Windows (supongamos que lo
 desinstalo) y quedan solo las que tiene GNU/Linux, en ese caso ¿que es
 mejor?

Si existe alguna posibilidad remota de que en algún momento haya un 
equipo con windows, sea fijo o de paso, samba.

Si sólo hay equipos con linux y el acceso al directorio es 
circunstancial, sftp/ssh.

Si no hay más remedio, nfs.

Saludos,

-- 
Camaleón


-- 
To UNSUBSCRIBE, email to debian-user-spanish-requ...@lists.debian.org
with a subject of unsubscribe. Trouble? Contact listmas...@lists.debian.org
Archive: http://lists.debian.org/jkads9$v8o$9...@dough.gmane.org



Re: NFS o Samba

2012-03-20 Thread Juan
El día 20 de marzo de 2012 14:13, Camaleón noela...@gmail.com escribió:
 El Tue, 20 Mar 2012 14:01:56 -0300, Juan escribió:

 Buenas tardes, tengo una pequeña duda, tengo una red con 5 computadoras,
 una es un server con Debian, 3 de las restantes tienen ubuntu y debian y
 la cuarta tiene Windows y Ubuntu.

 Quiero poner un par de Directorios en el server para ser usados por
 todos los usuarios de todos los equipos, ¿que me comnviene usar Samba o
 NFS? y si desaparece la maquina con Windows (supongamos que lo
 desinstalo) y quedan solo las que tiene GNU/Linux, en ese caso ¿que es
 mejor?

 Si existe alguna posibilidad remota de que en algún momento haya un
 equipo con windows, sea fijo o de paso, samba.

 Si sólo hay equipos con linux y el acceso al directorio es
 circunstancial, sftp/ssh.

 Si no hay más remedio, nfs.

 Saludos,

 --
 Camaleón



Gracias Camaleon por tu respuesta, y en caso como decia de que NO HAYA
WINDOWS y el acceso sea permanente, uso Samba igual entre las maquinas
Linux? Digamos lo quiero dejar fijo para que siempre se acceda a
determinados directorios del servidor en los puestos y es seguro que
no va a haber Windows, igual uso Samba? eso es lo que no me queda
claro del todo.

Gracias de nuevo y perdon por la insistencia


 --
 To UNSUBSCRIBE, email to debian-user-spanish-requ...@lists.debian.org
 with a subject of unsubscribe. Trouble? Contact listmas...@lists.debian.org
 Archive: http://lists.debian.org/jkads9$v8o$9...@dough.gmane.org



--
To UNSUBSCRIBE, email to debian-user-spanish-requ...@lists.debian.org
with a subject of unsubscribe. Trouble? Contact listmas...@lists.debian.org
Archive: 
http://lists.debian.org/CAFa+n8oFGhiPq=nNHAfyWJ79BoQW18Yf422qyQk8aQ=xhmq...@mail.gmail.com



Re: NFS o Samba

2012-03-20 Thread Camaleón
El Tue, 20 Mar 2012 14:24:55 -0300, Juan escribió:

 El día 20 de marzo de 2012 14:13, Camaleón noela...@gmail.com
 escribió:
 El Tue, 20 Mar 2012 14:01:56 -0300, Juan escribió:

 Buenas tardes, tengo una pequeña duda, tengo una red con 5
 computadoras, una es un server con Debian, 3 de las restantes tienen
 ubuntu y debian y la cuarta tiene Windows y Ubuntu.

 Quiero poner un par de Directorios en el server para ser usados por
 todos los usuarios de todos los equipos, ¿que me comnviene usar Samba
 o NFS? y si desaparece la maquina con Windows (supongamos que lo
 desinstalo) y quedan solo las que tiene GNU/Linux, en ese caso ¿que es
 mejor?

 Si existe alguna posibilidad remota de que en algún momento haya un
 equipo con windows, sea fijo o de paso, samba.

 Si sólo hay equipos con linux y el acceso al directorio es
 circunstancial, sftp/ssh.

 Si no hay más remedio, nfs.

 Gracias Camaleon por tu respuesta, y en caso como decia de que NO HAYA
 WINDOWS y el acceso sea permanente, uso Samba igual entre las maquinas
 Linux? 

Puedes usar el que quieras. Obviamente NFS se integra mejor en linux que 
samba, no requiere el mapeo de usuarios, es nativo, es abierto... en fin, 
lo típico.

 Digamos lo quiero dejar fijo para que siempre se acceda a determinados
 directorios del servidor en los puestos y es seguro que no va a haber
 Windows, igual uso Samba? eso es lo que no me queda claro del todo.

A ver, samba y nfs son mastodontes, requieren configuración de 
usuarios, control de acceso a los recursos, seguridad, etc... samba tiene 
sentido para compartir recursos e impresoras con equipos windows, nfs si 
sólo hay linuxes en la red. Y ambos tienen sentido para redes grandes con 
muchos clientes accediendo a los recursos, que necesiten afinar al máximo 
el control de acceso a los archivos o que tengan alguna necesidad 
específica.

La otra opción que te digo del sftp es la que más me gusta porque es la 
más sencilla de configurar y viene con seguridad de serie. Siempre y 
cuando no necesites la granularidad y el nivel de configuración que te 
permite NFS (o samba) es la opción más práctica para el día a día y para 
transpasos de archivos rápidos (copia/pega) entre equipos de una pequeña 
red local.

 Gracias de nuevo y perdon por la insistencia

Nada que perdonar.

Saludos,

-- 
Camaleón


-- 
To UNSUBSCRIBE, email to debian-user-spanish-requ...@lists.debian.org
with a subject of unsubscribe. Trouble? Contact listmas...@lists.debian.org
Archive: http://lists.debian.org/jkafpp$v8o$1...@dough.gmane.org



Windows 7 en Dominio Samba PDC

2012-03-20 Thread Orlando Nuñez
Saludos cordiales


Tengo un servidor con Debian 6.0, con Samba, hasta ahora las estaciones de
trabaja funcionan con Windows XP,
por los programas (AutoCAD 2006, CADWork, Staad Pro y otros programas
especializados), ahora debido a que
utilizaran versiones actualizadas que solo funcionan en Windows 7, ya las
maquinas tienen el Sistema instalado,
buscando en google, encontre varias posibles soluciones cambiando el
registro y aun asi no me permiten
ingresarlas al dominio, alguno de ustedes ha logrado incluir en el dominio
un equipo con Windows 7, el error
es que no


Sin mas a que hacer referencia

-- 
TSU Orlando Nuñez
Teléfono: 04263609858
nunezoe.wordpress.com
facebook.com/nunezoe - Twitter @nunezoe

Todo Capoerista tiene una sonrisa en su rostro, la ginga en su cuerpo y la
samba en sus pies


Re: NFS o Samba

2012-03-20 Thread Máximo Alejandro

El 20/03/2012 12:01, Juan escribió:

Buenas tardes, tengo una pequeña duda, tengo una red con 5
computadoras, una es un server con Debian, 3 de las restantes tienen
ubuntu y debian y la cuarta tiene Windows y Ubuntu.

Quiero poner un par de Directorios en el server para ser usados por
todos los usuarios de todos los equipos, ¿que me comnviene usar Samba
o NFS? y si desaparece la maquina con Windows (supongamos que lo
desinstalo) y quedan solo las que tiene GNU/Linux, en ese caso ¿que es
mejor?

Agradezco las ideas que em den.
Saludos

Juan


Yo me iría por la variante samba, lo considero más seguro que NFS además 
puedes tener más control en el manejo de usuarios


Saludos ..

*
Máximo Alejandro Alfonso Fernández
Administrador RED CIM-UH
Centro de Investigaciones Marinas
Universidad de La Habana
*
Teléfonos: (537) 2030617 ext 114
   (537)2093156 ext 114
*


--
To UNSUBSCRIBE, email to debian-user-spanish-requ...@lists.debian.org
with a subject of unsubscribe. Trouble? Contact listmas...@lists.debian.org
Archive: http://lists.debian.org/4f68b9ed.3030...@cim.uh.cu



sftp transport method για το apt

2012-03-20 Thread Pantelis Koukousoulas
Καλησπέρα,

Εδώ και κάποιες μέρες έχω γράψει ένα sftp transport method για το apt.
(Δηλ. υποστηρίζει URI της μορφής sftp://host:port/path distro components).

Το πλεονέκτημα του sftp σε σχέση με την υπάρχουσα ssh method είναι ότι
είναι ευκολότερο το chroot / δε χρειάζεται shell access κλπ.

Σε αυτή τη φάση η κατάστασή του είναι works for me, δηλαδή δουλεύει
απλά η απόδοση δεν είναι και κάτι το τρομερό, κυρίως γιατί δουλεύω τη
libssh2 σε synchronous mode αντί για async (για λόγους απλότητας).

Αν κάποιος ενδιαφέρεται να ρίξει μία ματιά / testing κλπ κάθε σχόλιο
είναι ευπρόσδεκτο :)

Ο κώδικας βρίσκεται στο https://github.com/pkt/apt-transport-sftp

Χαιρετισμούς,
Παντελής


NFS com segurança no mac-address?

2012-03-20 Thread Anderson Bertling
Bom dia, estou montando um servidor NFS e gostaria de deixar um pouco mais
seguro adicioando o mac-address dos clientes autorizados  além do IP  na
configuração, mas não achei nada  na net para configurar o exports alguém
sabe como posso fazer ?
-- 
Att

Anderson Bertling


Re: NFS com segurança no mac-address?

2012-03-20 Thread Sinval Júnior
Por que não faz isto em seu firewall?

Ao encaminhar esta mensagem, por favor:
1 - Apague meu endereço eletrônico;
2 - Encaminhe como Cópia Oculta (Cco ou BCc) aos seus destinatários.
Dificulte assim a disseminação de vírus, spams e banners.

#=+
#!/usr/bin/env python
nome = 'Sinval Júnior'
email = 'sinvalju arroba gmail ponto com'
print nome
print email
#==+



Em 20 de março de 2012 07:42, Anderson Bertling
andersonbertl...@gmail.com escreveu:
 Bom dia, estou montando um servidor NFS e gostaria de deixar um pouco mais
 seguro adicioando o mac-address dos clientes autorizados  além do IP  na
 configuração, mas não achei nada  na net para configurar o exports alguém
 sabe como posso fazer ?
 --
 Att

 Anderson Bertling



Re: Servidor Openvpn

2012-03-20 Thread Moksha Tux
Muito obrigado grande Glaydson, realmente o novo servidor VPN funcionou
pelo menos parcialmente, as chaves estão sendo aceitas e a conexão é feita
e a interface tun0 é levantada no cliente. Só estou com um problema... A
VPN não está roteando para a rede interna da empresa e ainda não sei o que
poderá estar acontecendo, uma das dúvidas que tenho seria que esta nova VPN
está rodando em uma guest virtualizada não sei se é realmente isso e talvez
possa estar passando por problemas com a Bridge. Mais uma vez obrigado,

Moksha

Em 18 de março de 2012 13:38, Greyson Farias greysonsi...@gmail.comescreveu:

 Sim meu brother, igualzinho, você pode usar as mesmas chaves já criadas no
 NetBSD para rodar no Debian. só copiar.

 Em 18 de março de 2012 11:37, Moksha Tux gova...@gmail.com escreveu:

 E quanto a criação de novas chaves? O processo é o emsmo e essas novas
 chaves e certificados funcionam com a autoridade certificadora  do server
 anterior?

 Moksha

 Em 18 de março de 2012 11:25, Greyson Farias 
 greysonsi...@gmail.comescreveu:

 Sim, já fiz de NetBSD para Debian Lenny na época. O sysadmin não
 trabalhava com BSD, somente Linux daí fui contratado para migrar este e
 outros serviços.

 Em 18 de março de 2012 10:17, Moksha Tux gova...@gmail.com escreveu:

 Muito obrigado Greyson pelo retorno! O senhor já precisou fazer isto
 alguma vez?

 Moksha

 Em 18 de março de 2012 11:12, Greyson Farias 
 greysonsi...@gmail.comescreveu:

 É exatamente isso, basta reconfigurar o OpenVPN no Debian e copiar os
 arquivos pra lá, o sistema é outro mas o serviço é o mesmo.

 Em 18 de março de 2012 01:15, Moksha Tux gova...@gmail.com escreveu:

 Boa noite Lista!

 Tenho um servidor VPN no trabalho rodando openvpn em cima de um
 OpenBSD e chegou a hora de eu fazer uma upgrade nele mas claro quero 
 fazer
 esse novo servidor VPN em cima do Debian 6 mas estou com seguinte
 problema... tenho mais de 50 usuários com suas respectivas chaves que se
 conectam de suas casas e demais lugares à rede do trabalho através desta
 VPN e gostaria de aproveitar essas chaves para que eu não precise criar 
 uma
 força tarefa reconvocando todos estes usuários para o meu setor para 
 fazer
 novas chaves e isso sem contar que tem alguns usuários que estão fora do
 país e precisam se conectar a nossa rede de onde estão. Não encontrei
 nenhum artigo na internet que fale a respeito de aproveitamento de 
 chaves e
 certificados apenas mencionam a configuração de um servidor VPN do zero. 
 Eu
 especulo que devo apenas aproveitar a autoridade certificadora as
 chaves e certificados dos usuários de server antigo e copiá-los no 
 novo
 mas não tenho certeza quanto a isto e não sei se fazendo isto como 
 ficaria
 a criação de novas chaves. Desde já agradeço a todos pela atenção!

 Moksha




 --
 *Greyson Farias da Silva*
 Técnico em Operação de redes - CREA/AC 9329TD
 Eu prefiro receber documentos em 
 ODFhttp://pt.wikipedia.org/wiki/OpenDocument
 .
 http://about.me/greysonfarias






 --
 *Greyson Farias da Silva*
 Técnico em Operação de redes - CREA/AC 9329TD
 Eu prefiro receber documentos em 
 ODFhttp://pt.wikipedia.org/wiki/OpenDocument
 .
 http://about.me/greysonfarias






 --
 *Greyson Farias da Silva*
 Técnico em Operação de redes - CREA/AC 9329TD
 Eu prefiro receber documentos em 
 ODFhttp://pt.wikipedia.org/wiki/OpenDocument
 .
 http://about.me/greysonfarias





Re: Servidor Openvpn

2012-03-20 Thread Greyson Farias
Se não está encaminhando pacotes pra rede local você deve fazer o seguinte:

# echo 1  /proc/sys/net/ipv4/ip_forward
# iptables -t nat -s 172.16.0.1 -A POSTROUTING -o eth0 -j MASQUERADE

1 - O primeiro ativa encaminhamento de pacotes no kernel
2 - O segundo orienta o firewall para que tudo que chegue na sua rede VPN
seja encaminhado para dentro da rede (supondo que esta interface seja eth0,
caso não seja, altere para a interface correta)

Att.
-- 
*Greyson Farias da Silva*
Técnico em Operação de redes - CREA/AC 9329TD
Eu prefiro receber documentos em ODFhttp://pt.wikipedia.org/wiki/OpenDocument
.
http://about.me/greysonfarias



Em 20 de março de 2012 09:24, Moksha Tux gova...@gmail.com escreveu:

 Muito obrigado grande Glaydson, realmente o novo servidor VPN funcionou
 pelo menos parcialmente, as chaves estão sendo aceitas e a conexão é feita
 e a interface tun0 é levantada no cliente. Só estou com um problema... A
 VPN não está roteando para a rede interna da empresa e ainda não sei o que
 poderá estar acontecendo, uma das dúvidas que tenho seria que esta nova VPN
 está rodando em uma guest virtualizada não sei se é realmente isso e talvez
 possa estar passando por problemas com a Bridge. Mais uma vez obrigado,

 Moksha

 Em 18 de março de 2012 13:38, Greyson Farias greysonsi...@gmail.comescreveu:

 Sim meu brother, igualzinho, você pode usar as mesmas chaves já criadas no
 NetBSD para rodar no Debian. só copiar.

 Em 18 de março de 2012 11:37, Moksha Tux gova...@gmail.com escreveu:

 E quanto a criação de novas chaves? O processo é o emsmo e essas novas
 chaves e certificados funcionam com a autoridade certificadora  do server
 anterior?

 Moksha

 Em 18 de março de 2012 11:25, Greyson Farias 
 greysonsi...@gmail.comescreveu:

 Sim, já fiz de NetBSD para Debian Lenny na época. O sysadmin não
 trabalhava com BSD, somente Linux daí fui contratado para migrar este e
 outros serviços.

 Em 18 de março de 2012 10:17, Moksha Tux gova...@gmail.com escreveu:

 Muito obrigado Greyson pelo retorno! O senhor já precisou fazer isto
 alguma vez?

 Moksha

 Em 18 de março de 2012 11:12, Greyson Farias 
 greysonsi...@gmail.comescreveu:

 É exatamente isso, basta reconfigurar o OpenVPN no Debian e copiar os
 arquivos pra lá, o sistema é outro mas o serviço é o mesmo.

 Em 18 de março de 2012 01:15, Moksha Tux gova...@gmail.comescreveu:

 Boa noite Lista!

 Tenho um servidor VPN no trabalho rodando openvpn em cima de um
 OpenBSD e chegou a hora de eu fazer uma upgrade nele mas claro quero 
 fazer
 esse novo servidor VPN em cima do Debian 6 mas estou com seguinte
 problema... tenho mais de 50 usuários com suas respectivas chaves que se
 conectam de suas casas e demais lugares à rede do trabalho através desta
 VPN e gostaria de aproveitar essas chaves para que eu não precise criar 
 uma
 força tarefa reconvocando todos estes usuários para o meu setor para 
 fazer
 novas chaves e isso sem contar que tem alguns usuários que estão fora do
 país e precisam se conectar a nossa rede de onde estão. Não encontrei
 nenhum artigo na internet que fale a respeito de aproveitamento de 
 chaves e
 certificados apenas mencionam a configuração de um servidor VPN do 
 zero. Eu
 especulo que devo apenas aproveitar a autoridade certificadora as
 chaves e certificados dos usuários de server antigo e copiá-los no 
 novo
 mas não tenho certeza quanto a isto e não sei se fazendo isto como 
 ficaria
 a criação de novas chaves. Desde já agradeço a todos pela atenção!

 Moksha




 --
 *Greyson Farias da Silva*
 Técnico em Operação de redes - CREA/AC 9329TD
 Eu prefiro receber documentos em 
 ODFhttp://pt.wikipedia.org/wiki/OpenDocument
 .
 http://about.me/greysonfarias






 --
 *Greyson Farias da Silva*
 Técnico em Operação de redes - CREA/AC 9329TD
 Eu prefiro receber documentos em 
 ODFhttp://pt.wikipedia.org/wiki/OpenDocument
 .
 http://about.me/greysonfarias












-- 
*Greyson Farias da Silva*
Técnico em Operação de redes - CREA/AC 9329TD
Eu prefiro receber documentos em ODFhttp://pt.wikipedia.org/wiki/OpenDocument
.
http://about.me/greysonfarias


Servidor 389 Directory Server

2012-03-20 Thread Rodrigo Fernandes
Pessoal,

Tenho um servidor 389 Directory Server instalado no Debian, porem ao tentar
levanta-lo estou com problemas na sintaxe do schema do qmailuser.
Utilizei o script de conversão do schema que se encontra no site do
servidor, mesmo assim nao obtive resultados.


#
attributeTypes: (
  1.3.6.1.4.1.7914.1.2.1.16
  NAME 'accountDeliveryMessage'
  DESC 'Return a message of ACCEPT ACTIONS, eg
http://www.postfix.org/access.5.html'
  EQUALITY caseIgnoreMatch
  SYNTAX 1.3.6.1.4.1.1466.115.121.1.44
  SINGLE-VALUE
  )
#


o erro

*error code 21 (Invalid syntax) - attribute type accountDeliveryMessage:
Unknown attribute syntax OID 1.3.6.1.4.1.1466.115.121.1.44*


Não estou conseguindo encontrar a forma correta da sintaxe do parametro
accountDeliveryMessage, gostaria de saber dos colegas se alguem possui
essa informação.

Agradeço desde já.


Re: post-up no squeeze [RESOLVIDO]

2012-03-20 Thread Cleber Ianes
Depois de 01 dia brigando com essa configuração achei uma forma de fazer, não 
sei se é a maneira correta, mas funcionou muito bem.


Existem as pastas if-down.d,  if-post-down.d,  if-pre-up.d,  if-up.d, 
coloquei o script que cria rotas dentro da pasta if-up.d e ele é executado 
toda vez que se inicializa a placa de rede.

Então.. Problema resolvido.


Obrigado.




 De: Cleber Ianes cleberia...@yahoo.com.br
Para: Debian-User debian-user-portuguese@lists.debian.org 
Enviadas: Segunda-feira, 19 de Março de 2012 15:27
Assunto: post-up no squeeze
 

Saudações.

Tenho algumas rotas configuradas em um script que executo no /etc/rc.local, mas 
quero colocar isso no local apropriado no sistema. 
Não sei se o arquivo /etc/network/interfaces é o lugar apropriado mas achei 
vasta documentação informando como fazer isso adicionando as linhas:

post-up route add -net  192.168.30.5 netmask 255.255.255.0   gw 192.168.10.7

Quando executo o comando route -n essa rota não aparece... E não dá qualquer 
msg de erro quando restarto as interfaces.
Alguém tem isso configurado no Squeeze???

Criando um servidor VPN - Boas Práticas

2012-03-20 Thread Fagner Patricio
Olá Pessoal!!!

Estou pensando em montar uma infra-estrutura de VPN aqui na empresa, para
que determinados funcionários possam acessar nossa rede interna.

Nunca trabalhei com VPN, por isso gostaria de ajuda e dicas de como fazer
usando as melhores práticas:

Algumas perguntas que eu tenho.

Quais softwares usar?
IPSec é o melhor?
Alguém tem referência bibliografica?
O servidor de VPNs deve ficar no firewall da rede ou é melhor montar da DMZ?

Espero ajuda!

-- 
Fagner Patrício
João Pessoa - PB
Brasil


Re: Criando um servidor VPN - Boas Práticas

2012-03-20 Thread Sinval Júnior
Segurança para VPS não difere da segurança para uma máquina real.
Adote as mesmas medidas.

Ao encaminhar esta mensagem, por favor:
1 - Apague meu endereço eletrônico;
2 - Encaminhe como Cópia Oculta (Cco ou BCc) aos seus destinatários.
Dificulte assim a disseminação de vírus, spams e banners.

#=+
#!/usr/bin/env python
nome = 'Sinval Júnior'
email = 'sinvalju arroba gmail ponto com'
print nome
print email
#==+



Em 20 de março de 2012 17:25, Fagner Patricio
fagner.patri...@gmail.com escreveu:
 Olá Pessoal!!!

 Estou pensando em montar uma infra-estrutura de VPN aqui na empresa, para
 que determinados funcionários possam acessar nossa rede interna.

 Nunca trabalhei com VPN, por isso gostaria de ajuda e dicas de como fazer
 usando as melhores práticas:

 Algumas perguntas que eu tenho.

 Quais softwares usar?
 IPSec é o melhor?
 Alguém tem referência bibliografica?
 O servidor de VPNs deve ficar no firewall da rede ou é melhor montar da DMZ?

 Espero ajuda!

 --
 Fagner Patrício
 João Pessoa - PB
 Brasil


--
To UNSUBSCRIBE, email to debian-user-portuguese-requ...@lists.debian.org
with a subject of unsubscribe. Trouble? Contact listmas...@lists.debian.org
Archive: 
http://lists.debian.org/calatgpgbioo-o-im6xdftg8e8zdnx0uqe1d_c-dcxmhsgdj...@mail.gmail.com



Problemas com o Rstudio

2012-03-20 Thread Ronaldo Reis Júnior

Pessoal,

eu uso o programa Rstudio para trabalhar com o sistema estatístico R. 
Ultimamente está acontecendo algo estranho. Quando estou com a internet 
desconectada ele não abre, dá o seguinte erro: The R session failed to 
start. Já procurei uma solução mas ainda não obtive sucesso.


Na página do Rstudio encontrei a seguinte possível explicação:


Check firewall and proxy settings

Although RStudio does not require internet access, it does use a 
localhost connection to link your R session with the RStudio IDE. As a 
result, it is possible a (software-based) firewall or network setting is 
blocking access to RStudio. If you have a firewall, HTTP or HTTPS proxy 
configured, add localhost and 127.0.0.1 to the list of approved Hosts 
and Domains. After this, try restarting RStudio.



Não entendo porque meu localhost está funcionando normalmente, tanto que 
uso o localhost:631 para configurar o cups e funciona normalmente. Não 
tenho nenhum proxy ou firewall instalado. Não sei mais onde olhar para 
ver a causa do problema. Vejam o log do programa com o erro quando não 
tenho a net ligada:


--
[ronaldo@mobilix log]$ cat rdesktop.log
20 Mar 2012 23:42:59 [rdesktop] ERROR system error 110 (Tempo esgotado 
para conexão); OCCURRED AT: core::Error core::waitWithTimeout(const 
boost::functioncore::WaitResult(), int, int, int) 
/home/ubuntu/rstudio/src/cpp/core/WaitUtils.cpp:60; LOGGED FROM: int 
main(int, char**) /home/ubuntu/rstudio/src/cpp/desktop/DesktopMain.cpp:343


[ronaldo@mobilix log]$ cat rsession-ronaldo.log
20 Mar 2012 23:42:48 [rsession-ronaldo] ERROR asio.netdb error 1 (Host 
not found (authoritative)); OCCURRED AT: core::Error 
core::http::initTcpIpAcceptor(core::http::SocketAcceptorServiceboost::asio::ip::tcp, 
const std::string, const std::string) 
/home/ubuntu/rstudio/src/cpp/core/include/core/http/TcpIpSocketUtils.hpp:82; 
LOGGED FROM: int main(int, char* const*) 
/home/ubuntu/rstudio/src/cpp/session/SessionMain.cpp:2463

--

Uma coisa que notei é que no log a hora está 3 horas avançada em relação 
a hora de meu computador, fiz isto as 20:42:59 e ele mostra como 23:42:59


Será que alguem tem alguma ideia de onde pode estar o problema?

Valeu
Inte
Ronaldo

--
3ª lei - Na investigação e outros assuntos, o seu orientador está sempre
 certo, na maior parte do tempo.

  --Herman, I. P. 2007. Following the law. NATURE, Vol 445, p. 228.


 Prof. Ronaldo Reis Júnior

|  .''`. UNIMONTES/DBG/Lab. Ecologia Comportamental e Computacional
| : :'  : Campus Universitário Prof. Darcy Ribeiro, Vila Mauricéia
| `. `'` CP: 126, CEP: 39401-089, Montes Claros - MG - Brasil
|   `- Fone: (38) 3229-8192 | ronaldo.r...@unimontes.br
| http://www.ppgcb.unimontes.br/lecc | LinuxUser#: 205366


--
To UNSUBSCRIBE, email to debian-user-portuguese-requ...@lists.debian.org
with a subject of unsubscribe. Trouble? Contact listmas...@lists.debian.org
Archive: http://lists.debian.org/4f691ae8.4010...@gmail.com



After update/upgrade can't get X to start

2012-03-20 Thread Csanyi Pal
Hi,

on my Debian GNU/Linux wheezy/sid with kernel 3.2.0-2-amd64 I can't get
X Window to start.

My Xorg.0.log can be seen here:
http://paste.debian.net/160383/

How can I solve this problem?

Any advices will be appreciated!

-- 
Regards from Pal


-- 
To UNSUBSCRIBE, email to debian-user-requ...@lists.debian.org 
with a subject of unsubscribe. Trouble? Contact listmas...@lists.debian.org
Archive: http://lists.debian.org/87limvq01x@gmail.com



Re: After update/upgrade can't get X to start

2012-03-20 Thread Thierry Chatelet
On Tuesday 20 March 2012 07:05:46 Csanyi Pal wrote:
 Hi,
 
 on my Debian GNU/Linux wheezy/sid with kernel 3.2.0-2-amd64 I can't get
 X Window to start.
 
 My Xorg.0.log can be seen here:
 http://paste.debian.net/160383/
 
 How can I solve this problem?
 
 Any advices will be appreciated!


Maybe tell us which graphic card you got?
Thierry


-- 
To UNSUBSCRIBE, email to debian-user-requ...@lists.debian.org 
with a subject of unsubscribe. Trouble? Contact listmas...@lists.debian.org
Archive: http://lists.debian.org/201203200728.22898.tchate...@free.fr



Re: libflash (64 bit) problem on kongregate.com

2012-03-20 Thread Loïc Grenié
2012/3/19 Camaleón noela...@gmail.com:
 On Mon, 19 Mar 2012 22:02:24 +0100, Loïc Grenié wrote:

 2012/3/19 Camaleón noela...@gmail.com:

 And can I know what's its current value (on/off)? I never touched this.

     There is a string

 allowThirdPartyLSOAccess

   in the file, followed by several bytes. The first one is 1 (^A with
   vi) the second one is the value: 0 (^@ with vi) is off, 1 (^A) is on.

 Mmm... according to the Wikipedia article you pointed before, this
 setting can be controlled from the web control panel:

 http://www.macromedia.com/support/documentation/en/flashplayer/help/settings_manager03.html

 Global Storage Settings panel
 [x] Allow Third-Party Content To Store Data On Your Computer.

 Which I have indeed, enabled, because that's the default setting.

 Can you check if altering this option from the web panel makes the
 corresponding change at the settings.sol file? I summon your magical
 powers for reading the .sol thingy, powers that I have not developed...
 yet }:-)

 Yes it does. And that's the only setting it modifies (checked with
  hexdump).

 Thanks,

Loïc


--
To UNSUBSCRIBE, email to debian-user-requ...@lists.debian.org
with a subject of unsubscribe. Trouble? Contact listmas...@lists.debian.org
Archive: 
http://lists.debian.org/camlkffqktb-vyx1rxgjaw2wmxk_3xhgtsnwchxjgvcaw_2s...@mail.gmail.com



Possible to create more than one preseed/late command?

2012-03-20 Thread Todd A. Jacobs
I'm doing a customized Squeeze install, and have a lot of problems with the
d-i preseed/late_command. For starters, it seems like you can only have one
of these in your preseed.cfg; is that true? Or is it only true if one is
using in-target as well in the late_command?

Mostly, I'm trying to do a set of system configuration tasks not handled by
debconf before the first boot: things like changing the hostname (d-i
doesn't retain this information properly; it's a known bug), settings up
ssh options, and modifying various /etc files. I have about 15 commands I'm
trying to run; I've tried setting them as multiple late commands, as well
as trying to build a single executable in /target/tmp with echo statements
that gets executed with the in-target keyword. My success is, to say the
least, mixed.

I've googled around a lot, but the information on d-i is pretty sparse in
regards to the limitations of preseed/late_command. Can anyone point me to
some in-depth examples of how to perform some complex post-install but
pre-reboot administration tasks with it?


Re: Problem with trying to instal Debian

2012-03-20 Thread Scott Ferguson
On 20/03/12 14:14, Bret Busby wrote:
 On Mon, 19 Mar 2012, Bret Busby wrote:
 

 On Mon, 19 Mar 2012, Scott Ferguson wrote:


 On 19/03/12 16:11, Bret Busby wrote:
 On Sun, 18 Mar 2012, Bret Busby wrote:


 On Sat, 17 Mar 2012, Brian wrote:


 On Sun 18 Mar 2012 at 01:37:41 +0800, Bret Busby wrote:

 I do not know whether the firmware is faulty (the IPW firmware)
 or the mirror settings within the downloaded netinst ISO, are
 bad.

 But, it does not work.

 snipped

 I suppose it is possible that the reason that the repositories
 mirrors cannot be accessed, is due to this wireless network device,

 Yes - it's possible.
 The routing table on that box will tell you if that is being used as a
 gateway.

 # route

 Alternatively it could be your DNS server (either not working, or
 miss-set during install). Have a look at /etc/resolv.conf

 snipped


 Kind regards


 I have given up.

 I have had repeated attempts to write the Debian 6.04 x386 DVD,
 using the CD/DVD Creator that is the default that came with Debian
 6, that cannot create a bootable disc, and Brasero that cannot eject
 the disc, and I have not been able to obtain a bootable DVD of the
 Debian 6.04 x386 version.

 It appears that Debian simply does not instal and run on 32 bit Intel
 based chip systems anymore.

 All that I have been able to do with Debian 6, in trying to instal it
 on the 32 bit computer, is create coasters, and waste bandwidth with
 the unusable downloads, and I have now, too many Debian 6 32 bit
 coasters.

If any of those CD/DVDs pass the md5sum test then you will know whether
the image is/was corrupted. The lack of similar bug reports indicates
the installer is mostly functional. And we know the sources.list from
you install should work.



 
 I gave it another try last night, using the Debian 6.03 CD 1 that I had
 created using Ubuntu 10.04 (I had installed Debian 6 on this computer,
 using a disc similarly dreated using Ubuntu 10.04) a while ago.
 
 I answered NO to the firmware question for the wireless NIC driver (it
 is unfortunate that the question does not indicate that it is for a
 wireless device, otherwise I would have answered No from the start, and
 saved all the trouble and the coasters), and then proceeded through the
 installation without any problems, and now have an apparently functional
 installation of Debian 6.03 on the NX5000.

So perhaps we can presume the installation setup of the wireless NIC is
causing the problem? I vaguely recall issues with a wireless drive
(Realtek?) that wouldn't function properly for installs, but worked ok
with updates applied after installation. It would have been interesting
to see the routing table.
No matter - I'm sure your experience will prove useful to others.

Glad to hear your perseverance has paid off.

 
 -- 
 Bret Busby
 Armadale
 West Australia
 ..
 
 So once you do know what the question actually is,
  you'll know what the answer means.
 - Deep Thought,
   Chapter 28 of Book 1 of
   The Hitchhiker's Guide to the Galaxy:
   A Trilogy In Four Parts,
   written by Douglas Adams,
   published by Pan Books, 1992
 
 
 


Kind regards


-- 
Iceweasel/Firefox/Chrome/Chromium/Iceape/IE extensions for finding
answers to Debian questions:-
https://addons.mozilla.org/en-US/firefox/collections/Scott_Ferguson/debian/


-- 
To UNSUBSCRIBE, email to debian-user-requ...@lists.debian.org 
with a subject of unsubscribe. Trouble? Contact listmas...@lists.debian.org
Archive: http://lists.debian.org/4f683fa3.50...@gmail.com



Re: After update/upgrade can't get X to start

2012-03-20 Thread Bob Proulx
Thierry Chatelet wrote:
 Csanyi Pal wrote:
  on my Debian GNU/Linux wheezy/sid with kernel 3.2.0-2-amd64 I can't get
  X Window to start.
  
  My Xorg.0.log can be seen here:
  http://paste.debian.net/160383/
  
  How can I solve this problem?
  
  Any advices will be appreciated!
 
 Maybe tell us which graphic card you got?

According to the provided pastebin dump it is an NVIDIA GPU GeForce
7600 GT (G73) with the nvidia driver.

I looked over the logfile but I could not determine why X did not
start for you.  I didn't see any obvious errors.

Bob



signature.asc
Description: Digital signature


Re: Failed to open VDPAU backend for mplayer2.

2012-03-20 Thread Sthu Deus
Good time of the day, Sven.


Thank You for Your time and answer.
You worte:

 Besides performance I try to remove CPU 100% while paused on
 video file - problem .

This should not happen regardless of the backend used.  Do you have
this problem in other video players as well?

I know, but so it is.

W/ other players - I have installed vlc, and it worked OK.

 Can You prompt me how I can find out the plans on mesa - whither
 his/her maintainer would compile his/her package w/ that support -
 particularly and any other package of interest in general?

Sorry, I have trouble parsing that.

I meant, Do You a web page that monitors maintainers' plans on a
package - like the particular one (mesa) - whether they gonna compile
vdpau support?


Sthu.


-- 
To UNSUBSCRIBE, email to debian-user-requ...@lists.debian.org 
with a subject of unsubscribe. Trouble? Contact listmas...@lists.debian.org
Archive: http://lists.debian.org/4f684993.d04dcc0a.7234.2...@mx.google.com



Re: After update/upgrade can't get X to start

2012-03-20 Thread tv.deb...@googlemail.com
20/03/2012 07:05, Csanyi Pal wrote:
 Hi,
 
 on my Debian GNU/Linux wheezy/sid with kernel 3.2.0-2-amd64 I can't get
 X Window to start.
 
 My Xorg.0.log can be seen here:
 http://paste.debian.net/160383/
 
 How can I solve this problem?
 
 Any advices will be appreciated!
 

Hi, when did the problem first occurred ? After a kernel upgrade ? right
after the install ? Graphic driver update ?

Anyways with 3.2 kernel there is an incompatibility on some systems
between Intel IOMMU visualization technology and NVidia drivers. If your
system has such technology you can try booting with intel_iommu=off
added to the kernel (linux) line from the grub menu. Some BIOS allow
to disable the feature, could be easier.

Outside of this I am not aware of problems between NVidia and Sid, but
generally speaking the 295.20 NVidia driver version is not a good one,
expect many problems (xorg crashes, abrupt logout, application
segfaults) with this driver (google for bug reports, or see NVidia
forum). You can try the free Nouveau driver, revert to NVidia 290.10
(from snapshot.debian.org) and wait for a better version.

Outside of this possibilities, no clues from the log you've pasted. Do
you see any other error messages during the boot process ? Anything in
dmesg ?


-- 
To UNSUBSCRIBE, email to debian-user-requ...@lists.debian.org 
with a subject of unsubscribe. Trouble? Contact listmas...@lists.debian.org
Archive: http://lists.debian.org/4f685093.3080...@googlemail.com



Re: After update/upgrade can't get X to start

2012-03-20 Thread tv.deb...@googlemail.com
20/03/2012 10:40, tv.deb...@googlemail.com wrote:
 Intel IOMMU visualization technology
^^^
It's virtualization technology off course, damn auto-correct !


-- 
To UNSUBSCRIBE, email to debian-user-requ...@lists.debian.org 
with a subject of unsubscribe. Trouble? Contact listmas...@lists.debian.org
Archive: http://lists.debian.org/4f685360.8050...@googlemail.com



Re: Problem with trying to instal Debian

2012-03-20 Thread Brian
On Tue 20 Mar 2012 at 11:14:28 +0800, Bret Busby wrote:

 I answered NO to the firmware question for the wireless NIC driver (it  
 is unfortunate that the question does not indicate that it is for a  
 wireless device, otherwise I would have answered No from the start, and  

The dialogue names the missing firmware files. At the bottom of the box
it says 'Please Google this if you do not know what it means'. But the
font for the message is very, very tiny and easily missed.

 saved all the trouble and the coasters), and then proceeded through the  
 installation without any problems, and now have an apparently functional  
 installation of Debian 6.03 on the NX5000.

Good.


-- 
To UNSUBSCRIBE, email to debian-user-requ...@lists.debian.org 
with a subject of unsubscribe. Trouble? Contact listmas...@lists.debian.org
Archive: http://lists.debian.org/20120320122235.GC4889@desktop



Re: recent version of iceape buggy?

2012-03-20 Thread H.S.
On 12/03/12 10:51 AM, Camaleón wrote:
 On Sun, 11 Mar 2012 22:05:32 -0400, H.S. wrote:
 
 Try by reinstalling the package (or check for a package update) and then, 
 should you encounter no gain and still sluggish, back to the last version 
 that workded fine. If you can't experience any delay with the last 
 working version I would open a bug report.
 
 Greetings,
 

Well, I rolled back to the last version and so far it has not shown in
of the ill effects. I plan to file a bug report later today sometime.

Thanks.


-- 

Please reply to this list only. I read this list on its corresponding
newsgroup on gmane.org. Replies sent to my email address are just
filtered to a folder in my mailbox and get periodically deleted without
ever having been read.


-- 
To UNSUBSCRIBE, email to debian-user-requ...@lists.debian.org 
with a subject of unsubscribe. Trouble? Contact listmas...@lists.debian.org
Archive: http://lists.debian.org/jk9u5s$jp8$1...@dough.gmane.org



Re: After update/upgrade can't get X to start - SOLVED

2012-03-20 Thread Csanyi Pal
tv.deb...@googlemail.com tv.deb...@googlemail.com writes:

 20/03/2012 07:05, Csanyi Pal wrote:
 
 on my Debian GNU/Linux wheezy/sid with kernel 3.2.0-2-amd64 I can't get
 X Window to start.
 
 My Xorg.0.log can be seen here:
 http://paste.debian.net/160383/
 
 How can I solve this problem?
 
 Any advices will be appreciated!

 Hi, when did the problem first occurred ? After a kernel upgrade ?
 right after the install ? Graphic driver update ?

 Outside of this possibilities, no clues from the log you've pasted. Do
 you see any other error messages during the boot process ? Anything in
 dmesg ?

Sorry, it's my mistake.

I purged the gnustep packages and after that in my .xinitrc I forgot to
comment the line for GNUstep.sh: 
#. /usr/share/GNUstep/Makefiles/GNUstep.sh

After I commented the line with # I can start X successfully.

-- 
Regards from Pal


-- 
To UNSUBSCRIBE, email to debian-user-requ...@lists.debian.org 
with a subject of unsubscribe. Trouble? Contact listmas...@lists.debian.org
Archive: http://lists.debian.org/87k42fs8fd.fsf...@gmail.com



LSPCI shows network card, but the card refuses to come up

2012-03-20 Thread Bijoy Lobo
Hello all

I have 2 cards on my system. I had no errors while Expert Install of Debian
netinstall. even lspci shows me 2 ethernet controllers, However I cannot
bring the 2nd interface up.

ifconfig eth1 tells me no such interface
ifconfig -a show me only eth0 and lo

-- 
Thanks and Regards
Bijoy Lobo
Paladion Networks


Re: LSPCI shows network card, but the card refuses to come up

2012-03-20 Thread The_Ace
On Tue, Mar 20, 2012 at 7:11 PM, Bijoy Lobo bijoy.l...@paladion.net wrote:

 Hello all

 I have 2 cards on my system. I had no errors while Expert Install of
 Debian netinstall. even lspci shows me 2 ethernet controllers, However I
 cannot bring the 2nd interface up.

 ifconfig eth1 tells me no such interface
 ifconfig -a show me only eth0 and lo

 --
 Thanks and Regards
 Bijoy Lobo
 Paladion Networks


Does lspci -v (or -vv) show what driver and kernel modules are in use
for that card ?


--
The mysteries of the Universe are revealed when you break stuff.


-- 
To UNSUBSCRIBE, email to debian-user-requ...@lists.debian.org 
with a subject of unsubscribe. Trouble? Contact listmas...@lists.debian.org
Archive: 
http://lists.debian.org/CAM8yCh_rdQF+taAQRRXKnrqR13=81b3ma6marrqjotejdjq...@mail.gmail.com



Re: Driver for (E)ISA Soundcard with YMF719E-S 9749 ZAGA chip

2012-03-20 Thread Martin
On Fri, Mar 16, 2012 at 08:19:25PM +0100, Jasper Noë wrote:
 Hi, have you been here:
 
 http://www.alsa-project.org/main/index.php/Matrix:Module-opl3-sa2

Now I read this but it did not helped me.
I added aliases to file /etc/modprobe.d/aliases ( there is no
/etc/modules.conf nor /etc/conf.modules ):

### FOR YMF179
# ALSA portion
alias char-major-116 snd
alias snd-card-0 snd-opl3-sa2
# module options should go here

# OSS/Free portion
alias char-major-14 soundcore
alias sound-slot-0 snd-card-0

# card #1
alias sound-service-0-0 snd-mixer-oss
alias sound-service-0-1 snd-seq-oss
alias sound-service-0-3 snd-pcm-oss
alias sound-service-0-8 snd-seq-oss
alias sound-service-0-12 snd-pcm-oss



Unfortunately no noticable change has happened.
Soundcard does not produce any sound.
Driver is loaded (with or without the changes to /etc/modprobe.d/aliases).
I checked with alsamixer and aumix and sound is not mute there. I can
add and reduce volume but it has no effect on producing sound.

Martin


-- 
To UNSUBSCRIBE, email to debian-user-requ...@lists.debian.org 
with a subject of unsubscribe. Trouble? Contact listmas...@lists.debian.org
Archive: http://lists.debian.org/20120320134213.GA2456@alfa



Re: Wheezy: Spellchecker no longer working in Iceweasel 10?

2012-03-20 Thread Camaleón
On Mon, 19 Mar 2012 16:27:12 -0700, T Elcor wrote:

 --- On Mon, 3/19/12, Camaleón noela...@gmail.com wrote:
 
 You mean with those pages where does not work it defaults to nothing
 (no language)?
 
 On the pages where it doesn't work, I have to do RMB click, then click
 on Languages, then click on English / Uninted States. After that a
 bullet appears next to English / Uninted States indicating, I guess,
 that English is now selected/active language and the spellchecker works
 after that. If I don't click on English / Uninted States the
 spellchecker doesn't work.

I see.

 Can you send a sample URI? Just curious :-?
 
 Sure. The following URL leads to Edit comment page with a multiline
 textbox that has Comment: label next to it. The spellchecker doesn't
 work for me in that textbox unless I select the language as described
 above.
 
 http://linux.slashdot.org/comments.pl?sid=2733961op=replythreshold=1commentsort=0mode=threadpid=op=replythreshold=1commentsort=0mode=threadpid=

Thanks :-)

You're right. It neither works here, I have to manually set the language
for the spellcheck to work there. Weird... Oh, it seems it's a known 
issue of one of the Slashdot coding horrors, err... I mean errors :-P

http://yro.slashdot.org/comments.pl?sid=2155264cid=36128554

Greetings,

-- 
Camaleón


-- 
To UNSUBSCRIBE, email to debian-user-requ...@lists.debian.org 
with a subject of unsubscribe. Trouble? Contact listmas...@lists.debian.org
Archive: http://lists.debian.org/jka3vs$v8o$1...@dough.gmane.org



Re: libflash (64 bit) problem on kongregate.com

2012-03-20 Thread Camaleón
On Tue, 20 Mar 2012 07:58:18 +0100, Loïc Grenié wrote:

 2012/3/19 Camaleón noela...@gmail.com:

(...)

 Can you check if altering this option from the web panel makes the
 corresponding change at the settings.sol file? I summon your magical
 powers for reading the .sol thingy, powers that I have not
 developed... yet }:-)
 
  Yes it does. And that's the only setting it modifies (checked with
   hexdump).

Thanks a bunch for confirming. Now at least we know where to set/get 
these settings. 

I truly hope the big Internet sites start porting their games, video and 
multimedia animations/stuff into a most suitable code other than embedded 
and self-contained .swf files so that Adobe Flash Plugin can die with 
the least possible delay :-)

Greetings,

-- 
Camaleón


-- 
To UNSUBSCRIBE, email to debian-user-requ...@lists.debian.org 
with a subject of unsubscribe. Trouble? Contact listmas...@lists.debian.org
Archive: http://lists.debian.org/jka4da$v8o$2...@dough.gmane.org



Re: LSPCI shows network card, but the card refuses to come up

2012-03-20 Thread Camaleón
On Tue, 20 Mar 2012 19:11:39 +0530, Bijoy Lobo wrote:

 I have 2 cards on my system. I had no errors while Expert Install of
 Debian netinstall. even lspci shows me 2 ethernet controllers, However I
 cannot bring the 2nd interface up.

Show us the output of these two commands:

lspci -v | grep -i ether
dmesg | grep -i eth

 ifconfig eth1 tells me no such interface ifconfig -a show me only eth0
 and lo

Also, show us the content of your /etc/network/interfaces file.

Greetings,

-- 
Camaleón


-- 
To UNSUBSCRIBE, email to debian-user-requ...@lists.debian.org 
with a subject of unsubscribe. Trouble? Contact listmas...@lists.debian.org
Archive: http://lists.debian.org/jka4r3$v8o$3...@dough.gmane.org



Re: problem with xetex access to system fonts

2012-03-20 Thread Camaleón
On Tue, 20 Mar 2012 13:28:58 +0800, 张启德(Zhang Qide) wrote:

 2012/3/19 Camaleón noela...@gmail.com:

 Where is that font installed?

 Run fc-list and check if it is available/visible for the system.

Ugh... no need to attach the full list for the font's path, the size of 
this e-mail is 85 KiB which can be too much for some users with slow 
connections ;-)

 Anyway, this may also help:

 [tlbuild] How should xetex find texlive fonts?
 http://tug.org/pipermail/tlbuild/2009q2/000872.html
 
 Thank you for your reply! I add some lines to ~/.fonts.conf, see below:
 
 ?xml version='1.0'?
 !DOCTYPE fontconfig SYSTEM 'fonts.dtd' fontconfig
 dir/usr/share/texmf/fonts/opentype/dir
 dir/usr/share/texmf/fonts/type1/dir
 /fontconfig
 
 and try again, it works well.  

Glad it worked.

 Though I don't know what is the right way and why aptitude not do this
 job for me. Thanks again!

(...)

Well, I think the problem was basically that you needed to instruct your 
system where to find additional fonts because by default, fonts are 
usually installed (and thus, seeked) under:

/usr/share/fonts
/usr/X11R6/lib/X11/fonts
/usr/local/share/fonts
~/.fonts

If the fonts are placed anywhere outside those directories/files, you 
have to make manual adjustments so the system can find and use them, 
neither aptitude nor apt nor other package manager tool can do that for 
you ;-)

Greetings,

-- 
Camaleón


-- 
To UNSUBSCRIBE, email to debian-user-requ...@lists.debian.org 
with a subject of unsubscribe. Trouble? Contact listmas...@lists.debian.org
Archive: http://lists.debian.org/jka5gm$v8o$4...@dough.gmane.org



Re: vsftp problems (SOLVED)

2012-03-20 Thread Camaleón
On Mon, 19 Mar 2012 23:29:56 -0500, peter wrote:

 From: Gary Roach gary719_li...@verizon.net Date:  
Mon, March
 19, 2012 11:23 am
 Nowhere does it say that you may have to reboot your systems after
 installation of vsftpd.
 
 Unfortunately none of us caught that. If the configuration of a daemon
 running under inetd is alterred, /etc/init.d/inetd restart should be
 sufficient.  Correction from expert is welcome.

I don't have such a service in Lenny:

stt008:~# LANG=POSIX; /etc/init.d/inetd status
-su: /etc/init.d/inetd: No such file or directory

(man inetd provides more info)

Anyway, I can't see any good reason for a system restart to make vsftpd 
starts working. IIRC, Gary was firstly using a standalone profile setting 
for the daemon (listen=YES) so restarting the inetd service would have 
been useless.

 When I found that a
 script for vsftpd had been installed in the rc*.d files I decided to
 see what would happen if I rebooted the system. This fixed the problems
 on every one of the machines. All are running in inet,d mode - I don't
 care what the documentation says about my setup being standalone.
 
 I had similar thoughts when first trying get vsftp airborn.

(...)

Last time I had to setup vsftp (standalone) was plain easy, although at 
that time I was using openSUSE :-). I only recall problems with Pam in 
order to setup the virtual users login but nothing overwhelming.
 
Greetings,

-- 
Camaleón


-- 
To UNSUBSCRIBE, email to debian-user-requ...@lists.debian.org 
with a subject of unsubscribe. Trouble? Contact listmas...@lists.debian.org
Archive: http://lists.debian.org/jka6qb$v8o$5...@dough.gmane.org



Re: How do you approach the problem of MaxClients reached with apache?

2012-03-20 Thread francis picabia
On Tue, Mar 20, 2012 at 2:56 AM, Bob Proulx b...@proulx.com wrote:
 francis picabia wrote:
 Bob Proulx wrote:
  francis picabia wrote:
  One of the most frustrating problems which can happen in apache is to
  see the error:
 
  server reached MaxClients setting
 
  Why is it frustrating?

 Yes, maybe you don't know this condition.

 I am familiar with the condition.  But for me it is protection.  I am
 not maintaining anything interesting enough to be slashdotted.  But
 some of the sites do get attacked by botnets.

 Suppose you have hundreds of users who might decide to dabble in
 some php and not know much more than their textbook examples?  In
 this case, part of the high connection rate is merely code running
 on the server.  It comes from the server's IP,

 That would definitely be a lot of users to hit this limit all at one
 time only from internal use.  I could imagine a teacher assigning
 homework all due at midnight that would cause a concentration of
 effect though.

 so no, a firewall rate limit won't help.  It is particularly annoying when
 this happens after hours and we need to understand the situation
 posthumously.

 You would need to have a way to examine the log files and gain
 knowledge from them.  Lots of connections in a short period of time
 would be the way to find that.

 The default configuration is designed to be useful to the majority of
 users.  That is why it is a default.  But especially if you are a
 large site and need industrial strength configuration then you will
 probably need to set some industrial strength configuration.

  Is that an error?  Or is that protection against a denial of service
  attack?  I think it is protection.

 It does protect the OS, but it doesn't protect apache.  Apache stops
 taking new connections, and it is just as good as if the system had
 burned to the ground in terms of what the outside world sees.

 First, I don't quite follow you.  If Apache has been limited becuase
 there isn't enough system resources (such as ram) for it to run a
 zillion processes, then if it were to try to run a zillion processes
 it would hurt everything.  By hurt I mean either swapping and
 thrashing or by having the out of memory killer invoke or other bad
 things.  That isn't good for anyone.

 Secondly Apache continues to service connections.  It isn't stuck and
 it isn't burned to the ground.  So that is incorrect.  It just won't
 spawn any new service processes.  The existing processes will continue
 to process queued requests from the network.  They will run at machine
 speed to handle the incoming requests as fast as they can.  Most web
 browsers will simply be slower to respond.  If the server can't keep
 up to the timeout from the browser then of course the browser will
 timeout.  That is the classic slashdot effect.  But that isn't to
 say that Apache stops responding.  A large number of clients will get
 serviced.

 There isn't any magic pixie dust to sprinkle on.  The machine can only
 do so much.  At some point eBay had to buy a second server.  :-)

 MaxClients isn't much of a feature from the standpoint of running a service
 as the primary purpose of the server.  When the maximum is reached,
 apache does nothing to get rid of the problem.  It can just stew there
 not resolving any hits for the next few hours.   It is not as useful say
 as the OOM killer in the Linux kernel.

 I read your words but I completely disagree with them.  The apache
 server doesn't take a nap for a few hours.  Of course if you are
 slashdotted then the wave will continue for many hours or days but
 that is simply the continuing hits from the masses.  But if you have
 already max'd out your server then your server is max'd.  Unlike
 people the machine is good at math and knows that giving 110% is just
 psychological but not actually possible.  And as far as the OOM killer
 goes, well, it is never a good thing.

  The default for Debian's apache2 configuration is MaxClients 150.
  That is fine for many systems but way too high for many light weight
  virtual servers for example.  Every Apache process consumes memory.
  The amount of memory will depend upon your configuration (whether mod
  php or other modules are installed) but values between 20M and 50M are
  typical.  On the low end of 20M per process hitting 150 clients means
  use of 1000M (that is one gig) of memory.  If you only had a 512M ram
  server instance then this would be a serious VM thrash, would slow
  your server to a crawl, and would generally be very painful.  The
  default MaxClients 150 is probably suitable for any system with 1.5G
  or more of memory.  On a 4G machine the default should certainly be
  fine.  On a busier system you would need additional performance
  tuning.

 Ours was at 256, already tuned.  So the problem is, as I stated, not
 about raising the limit, but about troubleshooting the source of
 the problem.

 I think you have some additional problem above and beyond hitting
 MaxClients.  

Can no longer mount SDHC card

2012-03-20 Thread Ken Heard
-BEGIN PGP SIGNED MESSAGE-
Hash: SHA1

I have a Lenovo R61 laptop which has a built-in SD card slot.  The
operating system is Lenny.

Ever since I bought this laptop in May 2008 I have been able to mount in
it SDHC cards from my Canon 60D digital camera.  The relevant line in
fstab is and has always been:

/dev/mmcblk0p1  /media/sd vfatuser,noauto,noatime 0   0

Within the last three hours however -- through no conscious intervention
on my part -- I have been unable to mount an SDHC card installed in this
slot.  The command mount sd returns the following:

mount: special device /dev/mmcblk0p1 does not exist

I will consequently be grateful for advice to help me find out what is
wrong and how to fix it.

Regards, Ken Heard

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

iEYEARECAAYFAk9oolcACgkQlNlJzOkJmTf2mQCZAZZ8C/En+EN1gDJUc5Sj9Onc
67EAn13kasRnPYjfvzexAHsgUM4tUiX4
=rqZ1
-END PGP SIGNATURE-


-- 
To UNSUBSCRIBE, email to debian-user-requ...@lists.debian.org 
with a subject of unsubscribe. Trouble? Contact listmas...@lists.debian.org
Archive: http://lists.debian.org/4f68a258.5020...@heard.name



Re: Can no longer mount SDHC card

2012-03-20 Thread Camaleón
On Tue, 20 Mar 2012 22:29:28 +0700, Ken Heard wrote:

 I have a Lenovo R61 laptop which has a built-in SD card slot.  The
 operating system is Lenny.
 
 Ever since I bought this laptop in May 2008 I have been able to mount in
 it SDHC cards from my Canon 60D digital camera.  The relevant line in
 fstab is and has always been:
 
 /dev/mmcblk0p1  /media/sd vfatuser,noauto,noatime 0   0

If you're using a DE, I would let it to mount external devices 
automatically, that is, by commenting (#) the above line in /etc/fstab. 
Then, as soon as you attache the card it should be recognized, detected 
and mounted under /media.
 
 Within the last three hours however -- through no conscious intervention
 on my part -- I have been unable to mount an SDHC card installed in this
 slot.  The command mount sd returns the following:
 
 mount: special device /dev/mmcblk0p1 does not exist

And it may be true. Run /sbin/blkid.
 
 I will consequently be grateful for advice to help me find out what is
 wrong and how to fix it.

Open a terminal, run dmesg | tail and then insert the card to see 
what's going on.

Greetings,

-- 
Camaleón


-- 
To UNSUBSCRIBE, email to debian-user-requ...@lists.debian.org 
with a subject of unsubscribe. Trouble? Contact listmas...@lists.debian.org
Archive: http://lists.debian.org/jka9di$v8o$6...@dough.gmane.org



Re: Can no longer mount SDHC card

2012-03-20 Thread Ken Heard
-BEGIN PGP SIGNED MESSAGE-
Hash: SHA1

Camaleón wrote:
 On Tue, 20 Mar 2012 22:29:28 +0700, Ken Heard wrote:
 
 I have a Lenovo R61 laptop which has a built-in SD card slot.  The
 operating system is Lenny.

 Ever since I bought this laptop in May 2008 I have been able to mount in
 it SDHC cards from my Canon 60D digital camera.  The relevant line in
 fstab is and has always been:

 /dev/mmcblk0p1  /media/sd vfatuser,noauto,noatime 0   0
 
 If you're using a DE, I would let it to mount external devices 
 automatically, that is, by commenting (#) the above line in /etc/fstab. 
 Then, as soon as you attache the card it should be recognized, detected 
 and mounted under /media.

I did as you suggested -- commented out that line in fstab -- and
inserted the card.  It was not recognized, detected or mounted under
media.  The DE I am using is KDE 3.5.10.

 Within the last three hours however -- through no conscious intervention
 on my part -- I have been unable to mount an SDHC card installed in this
 slot.  The command mount sd returns the following:

 mount: special device /dev/mmcblk0p1 does not exist
 
 And it may be true. Run /sbin/blkid.

It is true; I had already discovered that that device does not now
exist, although it must have existed more than three hours ago.

 I will consequently be grateful for advice to help me find out what is
 wrong and how to fix it.
 
 Open a terminal, run dmesg | tail and then insert the card to see 
 what's going on.

I ran that dmesg|tail both before and after installing the SDHC card
On all occasions that command reported nothing.

Ken

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

iEYEARECAAYFAk9otEQACgkQlNlJzOkJmTcHoQCaA9WPglAB7Y8od5nCV/jCUh2G
wAMAn2QsIi6oRv7LaBxLMRDTwIbNzdCJ
=mMeF
-END PGP SIGNATURE-


-- 
To UNSUBSCRIBE, email to debian-user-requ...@lists.debian.org 
with a subject of unsubscribe. Trouble? Contact listmas...@lists.debian.org
Archive: http://lists.debian.org/4f68b446.7030...@heard.name



Re: Can no longer mount SDHC card

2012-03-20 Thread Camaleón
On Tue, 20 Mar 2012 23:45:58 +0700, Ken Heard wrote:

 Camaleón wrote:

 If you're using a DE, I would let it to mount external devices
 automatically, that is, by commenting (#) the above line in /etc/fstab.
 Then, as soon as you attache the card it should be recognized, detected
 and mounted under /media.
 
 I did as you suggested -- commented out that line in fstab -- and
 inserted the card.  It was not recognized, detected or mounted under
 media.  The DE I am using is KDE 3.5.10.

I think a restart is required for that change to take effect.
 
 mount: special device /dev/mmcblk0p1 does not exist
 
 And it may be true. Run /sbin/blkid.
 
 It is true; I had already discovered that that device does not now
 exist, although it must have existed more than three hours ago.

Wow, a ghost card :-)

If the device was detected and recognized, it should be something at 
dmesg indicating the presence of the mount point or at least the device 
itself. You can filter the output with dmesg | grep -i sd.

Are you hibernating or suspending the computer? Maybe the card reader 
becomes inaccessible/hidden after restoring from suspension :-?
 
 Open a terminal, run dmesg | tail and then insert the card to see
 what's going on.
 
 I ran that dmesg|tail both before and after installing the SDHC card
 On all occasions that command reported nothing.

Nothing? :-?

Then your kernel is not being aware that there is a card inserted 
although it should be automatically detected. I would try by reloading 
the kernel module which controls these kind of devices (modprobe -r 
module_name modprobe module_name). Sorry, I don't know the name of the 
module it uses :-P, you can list all of them with lsmod.  

Greetings,

-- 
Camaleón


-- 
To UNSUBSCRIBE, email to debian-user-requ...@lists.debian.org 
with a subject of unsubscribe. Trouble? Contact listmas...@lists.debian.org
Archive: http://lists.debian.org/jkadi1$v8o$8...@dough.gmane.org



Re: Can no longer mount SDHC card

2012-03-20 Thread John Jason Jordan
On Tue, 20 Mar 2012 23:45:58 +0700
Ken Heard k...@heard.name dijo:

-BEGIN PGP SIGNED MESSAGE-
Hash: SHA1

Camaleón wrote:
 On Tue, 20 Mar 2012 22:29:28 +0700, Ken Heard wrote:
 
 I have a Lenovo R61 laptop which has a built-in SD card slot.  The
 operating system is Lenny.

 Ever since I bought this laptop in May 2008 I have been able to
 mount in it SDHC cards from my Canon 60D digital camera.  The
 relevant line in fstab is and has always been:

 /dev/mmcblk0p1  /media/sd vfatuser,noauto,noatime
 0   0
 
 If you're using a DE, I would let it to mount external devices 
 automatically, that is, by commenting (#) the above line
 in /etc/fstab. Then, as soon as you attache the card it should be
 recognized, detected and mounted under /media.

I did as you suggested -- commented out that line in fstab -- and
inserted the card.  It was not recognized, detected or mounted under
media.  The DE I am using is KDE 3.5.10.

 Within the last three hours however -- through no conscious
 intervention on my part -- I have been unable to mount an SDHC card
 installed in this slot.  The command mount sd returns the
 following:

 mount: special device /dev/mmcblk0p1 does not exist
 
 And it may be true. Run /sbin/blkid.

It is true; I had already discovered that that device does not now
exist, although it must have existed more than three hours ago.

 I will consequently be grateful for advice to help me find out what
 is wrong and how to fix it.
 
 Open a terminal, run dmesg | tail and then insert the card to see 
 what's going on.

I ran that dmesg|tail both before and after installing the SDHC card
On all occasions that command reported nothing.

This is beginning to sound like hardware failure. The SD card reader in
my T61 failed shortly after the three year warranty ended.


--
To UNSUBSCRIBE, email to debian-user-requ...@lists.debian.org
with a subject of unsubscribe. Trouble? Contact listmas...@lists.debian.org
Archive: http://lists.debian.org/20120320100141.55535...@mailhost.pdx.edu



Re: Re: Driver for (E)ISA Soundcard with YMF719E-S 9749 ZAGA chip

2012-03-20 Thread Jasper Noë

Hi, ( not sure at all if this is going to help )

Look at this:
{ from:
http://www.kernel.org/doc/Documentation/sound/alsa/ALSAConfiguration.txt
}

{
  Module snd-opl3sa2
  --

Module for Yamaha OPL3-SA2/SA3 sound cards.

isapnp  - ISA PnP detection - 0 = disable, 1 = enable (default)

with isapnp=0, the following options are available:

port- control port # for OPL3-SA chip (0x370)
sb_port - SB port # for OPL3-SA chip (0x220,0x240)
wss_port- WSS port # for OPL3-SA chip (0x530,0xe80,0xf40,0x604)
midi_port   - port # for MPU-401 UART (0x300,0x330), -1 = disable
fm_port - FM port # for OPL3-SA chip (0x388), -1 = disable
irq - IRQ # for OPL3-SA chip (5,7,9,10)
dma1- first DMA # for Yamaha OPL3-SA chip (0,1,3)
dma2- second DMA # for Yamaha OPL3-SA chip (0,1,3), -1 = disable

This module supports multiple cards and ISA PnP.  It does not support
autoprobe (if ISA PnP is not used) thus all ports must be specified!!!

The power-management is supported.

}---

You can make a file in /etc/modprobe.d/ with a name like opl.conf ( the 
name does not matter, but it must end in .conf )


in it:

options opl3sa2 isapnp=0 port=... etc.

Again, not sure, just trying, I do not have a card like that myself.
Look in dmesg to see what is happening
Look in /proc/interrupts to see if the card is 'alive', by the number of 
irq's changing.


--Jasper


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

Archive: http://lists.debian.org/4f68c219.7050...@xs4all.nl



Re: USB keyboard problems / USB layout / USB xkbmap

2012-03-20 Thread Christian Frey
Thank you both for your efforts! I finally had some time to look at it again:

1.) Booting into the recovery mode results in the same, i.e. z and y
are changed as well as other keyboard specific issues such as Umlaute
(ä.ö etc.) do not work.

2.) Executing setkbmap - query in normal mode shows that the layout is
ch - although it is obviously not. Note that the problem exists due to
a post also in Arch Linux, with the same keyboard and German (de)
layout.

3.) I could fix it by putting a *.desktop file into
/usr/share/gnome/autostart, executing setxkbmap (full path was
necessary, else it did not work), i.e.:

[Desktop Entry]
Type=Application
Exec=/usr/bin/X11/setxkbmap ch
Hidden=false
X-GNOME-Autostart-enabled=true
Name=setkeyboard


I have in the meanwhile submitted this issue as a bug to Debian
concerning package X11 - although it might concern another package.

greetings, chris


Am 19. März 2012 18:25 schrieb Kelly Clowers kelly.clow...@gmail.com:
 On Mon, Mar 19, 2012 at 04:55, Christian Frey
 christian.frey...@gmail.com wrote:
 OK, let's write it up properly ;)

 snip
 Then I attached the Logitech K340 USB keyboard, the keyboard
 works but the language settings don't, i.e. I have obviously a GB
 layout. The only way to change this so far is to use:

 setxkbmap ch

 After executing this commmand, everything works fine - in the terminal
 as well as in GNOME, meaning I have the proper layout (I know that
 there are specific problems with Wheezy and USB keyboards known, and
 it is suggested to activate Legacy support in the BIOS. I have first
 to check if I have this option in the BIOS at all. Remark: Ubuntu
 10.10 does not have all these problems).

 2.) My etc/default/keyboard looks ok:

 # KEYBOARD CONFIGURATION FILE

 # Consult the keyboard(5) manual page.

 XKBMODEL=pc105
 XKBLAYOUT=ch
 XKBVARIANT=
 XKBOPTIONS=terminate:ctrl_alt_bksp

 BACKSPACE=guess

 snip

 Lets see, a couple of things to check. The /etc/default/keyboard file
 sets the console as well, so you can try rebooting and choose to go
 into single user mode (recovery mode). That way you can see if
 something at a higher runlevel (in gnome or similar) is overriding it
 or if it not applying in the first place.

 Another test would be to reboot and before running setxkbmap ch
 run setxkbmap -query, which will print the current setup.

 If it is ok at first, but gets overridden, we will have to track down
 what is changing it. If it is not setting it correctly in the first place,
 we need to figure out why.


 Cheers,
 Kelly Clowers


 --
 To UNSUBSCRIBE, email to debian-user-requ...@lists.debian.org
 with a subject of unsubscribe. Trouble? Contact listmas...@lists.debian.org
 Archive: 
 http://lists.debian.org/CAFoWM=8+fKXTgO2y71=aVedhwRE1-ZiC=9je5cnl+itckcf...@mail.gmail.com



--
To UNSUBSCRIBE, email to debian-user-requ...@lists.debian.org
with a subject of unsubscribe. Trouble? Contact listmas...@lists.debian.org
Archive: 
http://lists.debian.org/cad5x0ead2+27tujdzoxgeco062nzl1z01p_x6grmp7cdxdn...@mail.gmail.com



Re: Can no longer mount SDHC card

2012-03-20 Thread Frank McCormick

On 20/03/12 01:01 PM, John Jason Jordan wrote:

On Tue, 20 Mar 2012 23:45:58 +0700
Ken Heardk...@heard.name  dijo:


-BEGIN PGP SIGNED MESSAGE-
Hash: SHA1

Camaleón wrote:

On Tue, 20 Mar 2012 22:29:28 +0700, Ken Heard wrote:


I have a Lenovo R61 laptop which has a built-in SD card slot.  The
operating system is Lenny.

Ever since I bought this laptop in May 2008 I have been able to
mount in it SDHC cards from my Canon 60D digital camera.  The
relevant line in fstab is and has always been:

/dev/mmcblk0p1  /media/sd vfatuser,noauto,noatime
0   0


If you're using a DE, I would let it to mount external devices
automatically, that is, by commenting (#) the above line
in /etc/fstab. Then, as soon as you attache the card it should be
recognized, detected and mounted under /media.


I did as you suggested -- commented out that line in fstab -- and
inserted the card.  It was not recognized, detected or mounted under
media.  The DE I am using is KDE 3.5.10.


Within the last three hours however -- through no conscious
intervention on my part -- I have been unable to mount an SDHC card
installed in this slot.  The command mount sd returns the
following:

mount: special device /dev/mmcblk0p1 does not exist


And it may be true. Run /sbin/blkid.


It is true; I had already discovered that that device does not now
exist, although it must have existed more than three hours ago.


I will consequently be grateful for advice to help me find out what
is wrong and how to fix it.


Open a terminal, run dmesg | tail and then insert the card to see
what's going on.


I ran that dmesg|tail both before and after installing the SDHC card
On all occasions that command reported nothing.


This is beginning to sound like hardware failure. The SD card reader in
my T61 failed shortly after the three year warranty ended.




   Sorry getting in on this late --- have you tried mounting a 
*different** SD card ?



--
Cheers
Frank


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

Archive: http://lists.debian.org/4f68cf95.8040...@videotron.ca



Re: Can no longer mount SDHC card

2012-03-20 Thread Charles Kroeger
I find where the SD card is by checking the list on:

# /dev/disk/by-id

without fail the card reader will be assigned a disk number like sde. If the
reader is sde then the SD card stuck in the reader will be sde1

# mount -t vfat /dev/sde1  /media/ (I made a directory here)

I use the mount command with the vfat file system because the file system on
all these cameras seem to be a vfat variation. (then)

# cd  /media/(my directory)

I use gThumb to import the pictures from 'my directory'. This also works for
picassa

It's kind of a steam driven procedure but I can't see why this wouldn't
work for anyone with a Debian system.

Before you suggest, I didn't put the mount -t vfat etc command in fstab
because I don't want to see a message every time I boot the computer without
the SD card in the reader saying sde1 can't be found and doesn't exist. 

-- 
CK


-- 
To UNSUBSCRIBE, email to debian-user-requ...@lists.debian.org 
with a subject of unsubscribe. Trouble? Contact listmas...@lists.debian.org
Archive: http://lists.debian.org/9sshr7fah...@mid.individual.net



domain name issues

2012-03-20 Thread John W. Foster
Running a full production server with Debian stable only. apache2,
MySql, Mediawiki 1.18.1 many other apps that are all working well. The
issue is; I keep getting the domain name changed by some software to
'home'. My router is provided by Verizon Fios (Westel) and the router
provides primary DNS. protocol is DHCP addressing. It all works except
the apache2 sometime coughs up the message cant determine FQDN
reverting to 127.0.1.1 which I do not like at all. Anyone else have this
issue (its recent) Even if I use the network manager and reset the
domain name. It soon gets changed, usually after I reboot to another OS
(Win7) Any ideas please.
frosty


-- 
To UNSUBSCRIBE, email to debian-user-requ...@lists.debian.org 
with a subject of unsubscribe. Trouble? Contact listmas...@lists.debian.org
Archive: http://lists.debian.org/1332287510.20965.8.ca...@beast.home



Re: Problem with trying to instal Debian

2012-03-20 Thread Bob Proulx
Bret Busby wrote:
 I gave it another try last night, using the Debian 6.03 CD 1 that I
 had created using Ubuntu 10.04 (I had installed Debian 6 on this
 computer, using a disc similarly dreated using Ubuntu 10.04) a while
 ago.

I am glad to hear that you didn't give up.

 I answered NO to the firmware question for the wireless NIC driver
 (it is unfortunate that the question does not indicate that it is
 for a wireless device, otherwise I would have answered No from the
 start, and saved all the trouble and the coasters),

At that point only the Linux kernel knows that information.  IIRC the
Linux kernel is looking up the device id in its table of device ids
and mapping that to a device driver name and asking for an associated
binary blob.  That information isn't available to the installer.  It
is just passing it along to the user.  The device driver could be
anything.  Although I suppose a data table in the installer could be
maintained with that information.  However it is always bad to have
that information needed to be maintained in two separate places and in
sync at all times.  That would be a nightmare to maintain.

 and then proceeded through the installation without any problems,
 and now have an apparently functional installation of Debian 6.03 on
 the NX5000.

Good to hear.

Bob


signature.asc
Description: Digital signature


Re: vsftp problems (SOLVED)

2012-03-20 Thread Bob Proulx
Camaleón wrote:
 peter wrote:
  Gary Roach wrote:
  Nowhere does it say that you may have to reboot your systems after
  installation of vsftpd.

It shouldn't be necessary to reboot.  That just means that something
else is happening that isn't fully understood yet.

  Unfortunately none of us caught that. If the configuration of a daemon
  running under inetd is alterred, /etc/init.d/inetd restart should be
  sufficient.  Correction from expert is welcome.

reload would be prefered over restart.  Or if you are old school
simply find the process id of the running program and send it a HUP
signal.

  # ps -ef |grep inetd
  root  3703 1  0 Feb19 ?00:00:00 /usr/sbin/inetd
  # kill -1 3703

However any package that installed itself there should be using the
update-inetd package interface and that script would have done the
above automatically.  If it didn't then it is a bug.  But if the
configuration were edited after install then it is up to the admin
editing the file to know to do this.

 I don't have such a service in Lenny:
 
 stt008:~# LANG=POSIX; /etc/init.d/inetd status
 -su: /etc/init.d/inetd: No such file or directory

It has been renamed to allow multiple implementations.  The version I
have installed is openbsd-inetd.  But there are other alternative
implementations available.  Including xinetd which is quite different.

 (man inetd provides more info)
 
 Anyway, I can't see any good reason for a system restart to make vsftpd 
 starts working. IIRC, Gary was firstly using a standalone profile setting 
 for the daemon (listen=YES) so restarting the inetd service would have 
 been useless.

A very typical problem is that a daemon is configured to listen *both*
standalone *and* in inetd.  Since only one of them can actually do a
listen on a single port the first one started works and the second one
started fails.  This makes it dependent upon boot start order which
happens.  I can't tell if that is what is happening here but it seemed
likely after reading some of the comments.

Bob


signature.asc
Description: Digital signature


Re: LSPCI shows network card, but the card refuses to come up

2012-03-20 Thread Bob Proulx
Camaleón wrote:
 Bijoy Lobo wrote:
  I have 2 cards on my system. I had no errors while Expert Install of
  Debian netinstall. even lspci shows me 2 ethernet controllers, However I
  cannot bring the 2nd interface up.

 Show us the output of these two commands:
 
 lspci -v | grep -i ether

Ahem...  'lspci | grep -i eth' is good but 'lspci -v' is paragraph
formatted and so finding that with grep is more trouble.  You need a
paragraph grep of which there are many different programs and
techniques.  Perl is always available these days so perhaps using perl
is easiest.

  lspci -v | perl -00 -ne 'm/eth/i  print'

The extra -v information isn't usually useful though.  YMMV.

 dmesg | grep -i eth
 
  ifconfig eth1 tells me no such interface ifconfig -a show me only eth0
  and lo
 
 Also, show us the content of your /etc/network/interfaces file.

Please also show us the output of

  ip addr show

and also

  cat /etc/udev/rules.d/70-persistent-net.rules

Bob


signature.asc
Description: Digital signature


Re: domain name issues

2012-03-20 Thread Bob Proulx
John W. Foster wrote:
 The issue is; I keep getting the domain name changed by some
 software to 'home'.

Is your system configured for dhcp?  If so then it is normal for your
domain name to be set by the dhcp server.

 My router is provided by Verizon Fios (Westel) and the router
 provides primary DNS. protocol is DHCP addressing.

Check that router for the dns domain name configured there.  Change it
to what you want.

However if actually have a server then you probably want to configure
a static address to ensure that the address always matches the domain
name and most importantly that it doesn't change.  When you set a
static address you can also set your own domain name.

Here is a useful reference:

  
http://www.debian.org/doc/manuals/debian-reference/ch05.en.html#_the_network_interface_with_the_static_ip

Bob


signature.asc
Description: Digital signature


Re: Can no longer mount SDHC card

2012-03-20 Thread Ken Heard
-BEGIN PGP SIGNED MESSAGE-
Hash: SHA1

John Jason Jordan wrote:

 This is beginning to sound like hardware failure. The SD card reader in
 my T61 failed shortly after the three year warranty ended.

I think you may be right.  Further investigation revealed the text at
the end of this post -- returned by command cat /var/log/syslog.1|grep
mmc.  This part of syslog.1 was created at the time the OS no longer
could read a SDHC card in the built-in reader and my subsequent attempts
to try to get it to do so.

The dev file for this particular card reader has always been
/dev/mmcblk0p1.  I never did pay any attention as to how this file was
created; I merely assumed that the OS created it on boot whenever it
detected the built-in card reader. It now longer appears.  I did try to
create it manually but it made no difference; indeed when after doing so
I rebooted, that file disappeared.

If I interpreted correctly the text below the OS may detect the presence
of the card but no longer will read it.  I suppose my solution now is to
invest in an external n-in-1 card reader with the capacity to read the
high capacity SD cards and use it instead of the internal reader.

Ken

- --
Mar 20 14:32:41 R61 kernel: [24381.761612] ricoh-mmc: Suspending.
Mar 20 14:32:41 R61 kernel: [24381.761638] ricoh-mmc: Controller is now
re-enabled.
Mar 20 14:32:41 R61 kernel: [24387.313190] ricoh-mmc: Resuming.
Mar 20 14:32:41 R61 kernel: [24387.313210] ricoh-mmc: Controller is now
disabled.
Mar 20 17:39:10 R61 kernel: [1.772657] ricoh-mmc: Ricoh MMC
Controller disabling driver
Mar 20 17:39:10 R61 kernel: [1.772660] ricoh-mmc: Copyright(c)
Philip Langdale
Mar 20 17:39:11 R61 kernel: [4.100884] mmc0: Will use DMA mode even
though HW doesn't fully claim to support it.
Mar 20 17:39:11 R61 kernel: [4.100884] mmc0: SDHCI at 0xf8301000 irq
18 DMA
Mar 20 17:39:11 R61 kernel: [4.107613] ricoh-mmc: Ricoh MMC
controller found at :15:00.3 [1180:0843] (rev 11)
Mar 20 17:39:11 R61 kernel: [4.107621] ricoh-mmc: Controller is now
disabled.
Mar 20 17:39:11 R61 kernel: [4.749027] mmc0: new high speed SDHC
card at address b368
Mar 20 17:39:11 R61 kernel: [4.756112] mmcblk0: mmc0:b368 NCard
31271936KiB (ro)
Mar 20 17:39:11 R61 kernel: [4.756112]  mmcblk0:3mmc0: Card
removed during transfer!
Mar 20 17:39:11 R61 kernel: [4.756112] mmc0: Resetting controller.
Mar 20 17:39:11 R61 kernel: [4.758794] mmcblk0: error -123 sending
read/write command
Mar 20 17:39:11 R61 kernel: [4.758855] end_request: I/O error, dev
mmcblk0, sector 0
Mar 20 17:39:11 R61 kernel: [4.758917] Buffer I/O error on device
mmcblk0, logical block 0
Mar 20 17:39:11 R61 kernel: [4.761091] mmcblk0: error -123 sending
read/write command
Mar 20 17:39:11 R61 kernel: [4.761165] end_request: I/O error, dev
mmcblk0, sector 0
Mar 20 17:39:11 R61 kernel: [4.761241] Buffer I/O error on device
mmcblk0, logical block 0
Mar 20 17:39:11 R61 kernel: [4.765084] mmcblk0: error -123 sending
read/write command
Mar 20 17:39:11 R61 kernel: [4.765084] end_request: I/O error, dev
mmcblk0, sector 0
Mar 20 17:39:11 R61 kernel: [4.765084] Buffer I/O error on device
mmcblk0, logical block 0
Mar 20 17:39:11 R61 kernel: [4.767132] mmcblk0: error -123 sending
read/write command
Mar 20 17:39:11 R61 kernel: [4.767205] end_request: I/O error, dev
mmcblk0, sector 0
Mar 20 17:39:11 R61 kernel: [4.767268] Buffer I/O error on device
mmcblk0, logical block 0
Mar 20 17:39:11 R61 kernel: [4.769671] mmcblk0: error -123 sending
read/write command
Mar 20 17:39:11 R61 kernel: [4.769671] end_request: I/O error, dev
mmcblk0, sector 0
Mar 20 17:39:11 R61 kernel: [4.769671] Buffer I/O error on device
mmcblk0, logical block 0
Mar 20 17:39:11 R61 kernel: [4.771806] mmcblk0: error -123 sending
read/write command
Mar 20 17:39:11 R61 kernel: [4.771885] end_request: I/O error, dev
mmcblk0, sector 0
Mar 20 17:39:11 R61 kernel: [4.771963] Buffer I/O error on device
mmcblk0, logical block 0
Mar 20 17:39:11 R61 kernel: [4.776385] mmcblk0: error -123 sending
read/write command
Mar 20 17:39:11 R61 kernel: [4.776472] end_request: I/O error, dev
mmcblk0, sector 0
Mar 20 17:39:11 R61 kernel: [4.776554] Buffer I/O error on device
mmcblk0, logical block 0
Mar 20 17:39:11 R61 kernel: [4.776697] mmcblk0: error -123 sending
read/write command
Mar 20 17:39:11 R61 kernel: [4.776697] end_request: I/O error, dev
mmcblk0, sector 0
Mar 20 17:39:11 R61 kernel: [4.776697] Buffer I/O error on device
mmcblk0, logical block 0
Mar 20 17:39:11 R61 kernel: [4.778725] mmcblk0: error -123 sending
read/write command
Mar 20 17:39:11 R61 kernel: [4.778816] end_request: I/O error, dev
mmcblk0, sector 0
Mar 20 17:39:11 R61 kernel: [4.779506] Dev mmcblk0: unable to read
RDB block 0
Mar 20 17:39:11 R61 kernel: [4.780964] mmcblk0: error -123 sending

Re: Can no longer mount SDHC card

2012-03-20 Thread John Jason Jordan
On Wed, 21 Mar 2012 10:34:31 +0700
Ken Heard k...@heard.name dijo:

If I interpreted correctly the text below the OS may detect the
presence of the card but no longer will read it.  I suppose my
solution now is to invest in an external n-in-1 card reader with the
capacity to read the high capacity SD cards and use it instead of the
internal reader.

I should add that mine is a Ricoh also. Also that the Linux Thinkpad
thinkwiki page and the listserve are full of problems with hardware
failures and general flakiness.

Let me know what kind of n-in-one card reader you find. I could use
one as well.


-- 
To UNSUBSCRIBE, email to debian-user-requ...@lists.debian.org 
with a subject of unsubscribe. Trouble? Contact listmas...@lists.debian.org
Archive: http://lists.debian.org/20120320204821.1bb23...@mailhost.pdx.edu



Re: LSPCI shows network card, but the card refuses to come up

2012-03-20 Thread Bijoy Lobo
Hello guys,


Thanks alot. I sloved the problem. It was the older kernel which didnt have
support for my Atheros Card. I did a modprobe and it fixed the problem

On Wed, Mar 21, 2012 at 6:07 AM, Bob Proulx b...@proulx.com wrote:

 Camaleón wrote:
  Bijoy Lobo wrote:
   I have 2 cards on my system. I had no errors while Expert Install of
   Debian netinstall. even lspci shows me 2 ethernet controllers, However
 I
   cannot bring the 2nd interface up.
 
  Show us the output of these two commands:
 
  lspci -v | grep -i ether

 Ahem...  'lspci | grep -i eth' is good but 'lspci -v' is paragraph
 formatted and so finding that with grep is more trouble.  You need a
 paragraph grep of which there are many different programs and
 techniques.  Perl is always available these days so perhaps using perl
 is easiest.

  lspci -v | perl -00 -ne 'm/eth/i  print'

 The extra -v information isn't usually useful though.  YMMV.

  dmesg | grep -i eth
 
   ifconfig eth1 tells me no such interface ifconfig -a show me only eth0
   and lo
 
  Also, show us the content of your /etc/network/interfaces file.

 Please also show us the output of

  ip addr show

 and also

  cat /etc/udev/rules.d/70-persistent-net.rules

 Bob




-- 
Thanks and Regards
Bijoy Lobo
Paladion Networks


Re: Failed to open VDPAU backend for mplayer2.

2012-03-20 Thread Dave Thayer
On Mon, Mar 19, 2012 at 03:55:13PM +0700, Sthu Deus wrote:
  Do You have any idea how I can make use of VDPAU w/ mplayer2 on my
  system (testing, video ATI X1100)?
  ^^^

I believe that VDPAU is specific to nvidia cards, so your ATI wouldn't
be supported.

dt

-- 
Dave Thayer   | Whenever you read a good book, it's like the 
Denver, Colorado USA  | author is right there, in the room talking to 
d...@thayer-boyle.com | you, which is why I don't like to read 
  | good books. - Jack Handey Deep Thoughts


-- 
To UNSUBSCRIBE, email to debian-user-requ...@lists.debian.org 
with a subject of unsubscribe. Trouble? Contact listmas...@lists.debian.org
Archive: http://lists.debian.org/20120321041957.ga27...@thayer-boyle.com