Re: aptitude ou apt-get

2010-04-22 Thread Goldy
Le 22/04/2010 00:55, David Prévot a écrit :
 
 Si apt-get est toujours utile (et utilise), peut-on
 degager aptitude ?
 
 Si tu ne te sers pas d'aptitude, tu n'es pas obligé de le garder...
 

Même si on en a pas l'utilisé, il n'est pas inutile de le conserver.
J'ai connu sous ubuntu des témoignages où apt-get n'était plus
disponible et il est toujours utile d'avoir un autre gestionnaire de
paquet en cas de problème.


Enfin personnellement, je trouve la nouvelle version d'aptitude
disponible dans testing depuis peu moins performante que l'ancienne. Il
arrive assez souvent en cas de problème de dépendance complexe de
suggérer la désinstallation du paquet que l'on souhaite installer tout
en mettant un tas d'autre paquet à jours (particulièrement dans le cas
de cohabitation de testing/sid)... ce qui n'est pas super cohérent.
Autant avant on avait le plus souvent la meilleure solution dès le
premier choix, maintenant il est souvent utile de vérifier plusieurs
possibilités avant de trouver la bonne (voir même de suggérer
l'installation de paquet pour la trouver).

-- 
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/4bcfecbc.1010...@goldenfish.info



Re: aptitude ou apt-get

2010-04-22 Thread François Cerbelle

Goldy a écrit :

Enfin personnellement, je trouve la nouvelle version d'aptitude
disponible dans testing depuis peu moins performante que l'ancienne. Il
arrive assez souvent en cas de problème de dépendance complexe de
suggérer la désinstallation du paquet que l'on souhaite installer tout
en mettant un tas d'autre paquet à jours (particulièrement dans le cas
de cohabitation de testing/sid)... ce qui n'est pas super cohérent.
Autant avant on avait le plus souvent la meilleure solution dès le
premier choix, maintenant il est souvent utile de vérifier plusieurs
possibilités avant de trouver la bonne (voir même de suggérer
l'installation de paquet pour la trouver).



Je suis d'accord avec toi, l'ancienne version d'aptitude etait intelligente et proposait par défaut 
le meileur choix dans la quasi-totalite des cas (sauf cas particulier avec plusieurs sources 
stable/testing/sid et autres). La nouvelle est certes plus transparente et propose tous les choix 
possibles sans en preconiser un par défaut. Ou alors, je l'ai mal configuré.


Par contre, apt-get reste indispensable pour récupérer les sources à ma 
connaissance.

Fanfan

--
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/4bcff05b.1020...@cerbelle.net



Re: aptitude ou apt-get

2010-04-22 Thread Christophe Barès

François Cerbelle a écrit :
Par contre, apt-get reste indispensable pour récupérer les sources à 
ma connaissance.


Il est bien rare dans le monde libre de n'avoir qu'une seule solution 
possible...


En particulier, je vous conseille apt-src, qui gère les paquets source à 
la manière d'apt-get/aptitude, c'est à dire qu'il peut mettre à jour les 
paquets installés.
Le plus intéressant, c'est qu'on peut installer un paquet source où l'on 
veut, et apt-src se souvient dans quel répertoire. Un petit:

$ apt-src list
vous donne la liste et l'endroit de tous vos paquets source (gérés par 
apt-src bien sûr)

Et tous ça en utilisateur normal, bien entendu...

Toff'

--
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/4bd00203.9030...@neuf.fr



Re: mysqldump en ignorant mysql

2010-04-22 Thread Daniel Caillibaud
Le 22/04/10 à 00:06, Xavier Maillard xav...@maillard.im a écrit :

  Voila un petit script que j'utilise pour sauvegarder mes bases:
  
  #!/bin/sh
  
  for i in `echo show databases | mysql | egrep -v '(mysql)'` ; do
   echo $i
   mysqldump -e $i | gzip  ~/$i.sql.gz
  done
 
 J'espere que l'integrite et la coherence de tes donnees ne sont
 pas des choses importantes parce que c'est pas terrible tout ca;
 quid pour tes tables innodb par exemple ?

Il vaut mieux améliorer un peu avec du lock (et virer la 1re ligne de la sortie 
du show databases qui est le titre Database)

OPTS= # mettre ici les options qui vont bien pour avoir accès à toutes les 
bases, ex '--defaults-file=/etc/mysql/debian.cnf'
BASEDUMP='~' # le répertoire des backups
mysql $OPTS -e 'show databases' | sed -e '1d; /^mysql$/d;' | while read db
do
  dbf=$BASEDUMP/$db.sql # on peut ajouter un suffixe en fonction du jour
  # par exemple date '+%A' pour tourner sur les 7 derniers jours
  echo [$(date '+%T')] début du backup de $db
  mysql -e FLUSH TABLES WITH READ LOCK;
  mysqldump -e $i  $dbf
  mysql -e UNLOCK TABLES;
  bzip2 $dbf
  echo [$(date '+%T')] fin du backup de $db
done

Attention :
- script écrit sans aucun test, à vous de vérifier avant de lancer
- le flush with read lock bloque toutes les bases en écriture, sur un serveur 
en prod ça peut vite faire exploser le load (les
thread qui veulent écrire sont mis en attente, ça dépend donc de leur nombre /s 
et de la durée du dump, d'où la compression
après le unlock).

-- 
Daniel

Quand on est trop bonne pâte, on risque de finir
dans le pétrin.
Pierre Dac

--
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/20100422115103.0e9c1...@h2.lairdutemps.org



Re: Pb carte atheros et affichage X sur sony VAIO

2010-04-22 Thread pascatgm
Mourad Jaber a écrit :
 Le 17/04/2010 12:04, pascatgm a écrit :


 Pourrais-tu être plus précis sur la configuration matérielle de ta
 machine (modèle de vaio, le chipset wifi, et vidéo, en particulier) ?

 ++

 Mourad

Désolé pour la réponse tardive
Il s'agit d'un VAIO VGN FS315E
La carte wifi est une Atheros AR5001X +
et la carte grahique une Intel 915 GM
Et en fait les logs de X montrent un prb au niveau du dri...

Merci d'avance

P.

-- 
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/4bd01d0b.6060...@gmail.com



demande d'information/ request

2010-04-22 Thread Emmanuel NECKEBROECK
Bonjour,

Actuellement étudiant en Master 2 ingénierie de l'innovation à l'IAE de
Grenoble, je réalise une étude sur les communautés qui se développent autour
des logiciels libres.
Dans le cadre de cette étude je recherche une liste des communautés se
créant autour de Mozilla.
Existe -t-il une liste les répertoriant?
Pouvez me la fournir?

Cordialement



Hello

Currently a student in Master 2 engineering innovation in Grenoble (FRANCE),
I realized a study on the communities that develop around open source
software.
In this study I want a list of communities is creating around Debien and how
it works day by day.
where can I find it?
Could you give me once?

Cordially



Emmanuel Neckebroeck


Re: demande d'information/ request

2010-04-22 Thread David DUPONT
Bonjour Emmanuel,

Concernant ta demande j'aurais tendance à te dire d'aller voir sur le site
de mozilla ou tu auras les différentes mailing list propre à Mozilla.

*https://lists.mozilla.org/listinfo*

Ici tu es sur la mailing list Debian. Après si tu as des questions ou autre
je ne sais pas trop qu'elle est la politique sur la mailing list Debian
concernant ce genre d'étude :)

2010/4/22 Emmanuel NECKEBROECK emmanuel.neckebro...@gmail.com

 Bonjour,

 Actuellement étudiant en Master 2 ingénierie de l'innovation à l'IAE de
 Grenoble, je réalise une étude sur les communautés qui se développent autour
 des logiciels libres.
 Dans le cadre de cette étude je recherche une liste des communautés se
 créant autour de Mozilla.
 Existe -t-il une liste les répertoriant?
 Pouvez me la fournir?

 Cordialement



 Hello

 Currently a student in Master 2 engineering innovation in Grenoble
 (FRANCE), I realized a study on the communities that develop around open
 source software.
 In this study I want a list of communities is creating around Debien and
 how it works day by day.
 where can I find it?
 Could you give me once?

 Cordially



 Emmanuel Neckebroeck



Re: Grub ne s'auto-complète plus

2010-04-22 Thread François LE GAD

Le 21/04/2010 16:28, kaliderus a écrit :


Lorsque je lance grub, je n'ai plus l'auto-completion (avec Tab),


L'autocomplétion dans Grub ? C'est quoi ?

Vous êtes sûr que c'est bien de Grub (le menu de démarrage) qu'il s'agit ?
--
François


--
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/4bd02fd5.2030...@free.fr



Re: Grub ne s'auto-complè te plus

2010-04-22 Thread Pierre Meurisse
On Thu, Apr 22, 2010 at 01:15:33PM +0200, François LE GAD wrote:
 
 Le 21/04/2010 16:28, kaliderus a écrit :
 
 Lorsque je lance grub, je n'ai plus l'auto-completion (avec Tab),
 
 L'autocomplétion dans Grub ? C'est quoi ?
 
 Vous êtes sûr que c'est bien de Grub (le menu de démarrage) qu'il s'agit ?
 -- 

Il s'agit certainement de grub en mode commandes.
S'il y a une erreur de syntaxe dans une ligne, l'autocomplétion ne
fonctionne plus dans les suivantes.

A+
-- 
Pierre Meurisse

-- 
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/20100422111552.ga4...@cosqueeze.bureau.maison



Re: Grub ne s'auto-complète plus

2010-04-22 Thread kaliderus
Le 22 avril 2010 13:15, Pierre Meurisse pierre.meuri...@laposte.net a écrit :
 On Thu, Apr 22, 2010 at 01:15:33PM +0200, François LE GAD wrote:

 Le 21/04/2010 16:28, kaliderus a écrit :

 Lorsque je lance grub, je n'ai plus l'auto-completion (avec Tab),

 L'autocomplétion dans Grub ? C'est quoi ?

 Vous êtes sûr que c'est bien de Grub (le menu de démarrage) qu'il s'agit ?
 Non, pas le menu de démarrage, la commande grub lancée à partir d'un
shell, qui permet d'installer grub sur un périphérique quelconque.
 --

 Il s'agit certainement de grub en mode commandes.
 S'il y a une erreur de syntaxe dans une ligne, l'autocomplétion ne
 fonctionne plus dans les suivantes.
Oui pour le grub en mode commande, et d'accord pour le reste.
Avec la commande grub, j'obtiens un environnement grub.
tab permet d'avoir les commandes disponibles (et accessoirement
d'éviter les erreurs de syntaxe), et aussi (le plus pratique), d'avoir
une complétion des périphérique, du style :
setup(sd_quelquechose_a_completer + tab
et normalement là on a la liste des périphérique possibles.
Mais je crois qu'en googelant un peu, en fait il s'agit d'un bug
mineur relatif à l'environnement AMD64.
Je vais devoir patienter il me semble...
Merci de m'avoir lu.
k.

--
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/u2x8aadb3ed1004220513of3283962m5c544b66e3519...@mail.gmail.com



HS : Différence entre net rpc testjoin et net ads testjoin

2010-04-22 Thread Thierry Leurent
Bonjour,

Je dois mettre en place un proxy avec authetification AD. Le proxy seul
fonctionne (Squid, clamav et squidguard).
Je me bat actuellement pour l'intégration de la machine dans le domain
2003 natif.

J'ai bien rejoint le domain avec un net join ads.
Wbinfo -t me dit checking the trust secret via RPC calls succeeded.
Wbinfo -u et wbinfo -g me donne bien les users et groups.
Je fais un wbinfo -a UnUserAD%SomPassword, ça fonctionne.
Je fais un wbinfo -a MonDoima+UnUserAD%SomPassword, ça fonctionne (+ étant
mon séparateur).

Parcontre, un net ads testjoin me dit have ads_connect: No logon servers
   Join to domain is not valid: No logon 
servers

Le un debug de niveau 3 donne :
With a Debug Level 3, I recieve this messages.
[2010/04/21 14:36:21, 3] param/loadparm.c:lp_load(5069)
  lp_load: refreshing parameters
[2010/04/21 14:36:21, 3] param/loadparm.c:init_globals(1440)
  Initialising global parameters
[2010/04/21 14:36:21, 3] param/params.c:pm_process(572)
  params.c:pm_process() - Processing configuration file /etc/samba/smb.conf
[2010/04/21 14:36:21, 3] param/loadparm.c:do_section(3808)
  Processing section [global]
[2010/04/21 14:36:21, 2] lib/interface.c:add_interface(81)
  added interface ip=192.168.120.2 bcast=192.168.255.255 nmask=255.255.0.0
[2010/04/21 14:36:21, 3] libsmb/namequery.c:get_dc_list(1495)
  get_dc_list: preferred server list: , *
[2010/04/21 14:36:21, 1] libads/cldap.c:recv_cldap_netlogon(247)
  Failed to parse cldap reply
[2010/04/21 14:36:21, 3] libads/ldap.c:ads_try_connect(189)
  ads_try_connect: CLDAP request 192.168.10.116 failed.
[2010/04/21 14:36:21, 1] libads/cldap.c:recv_cldap_netlogon(247)
  Failed to parse cldap reply
[2010/04/21 14:36:21, 3] libads/ldap.c:ads_try_connect(189)
  ads_try_connect: CLDAP request 192.168.10.110 failed.
[2010/04/21 14:36:21, 1] libads/cldap.c:recv_cldap_netlogon(247)
  Failed to parse cldap reply
[2010/04/21 14:36:21, 3] libads/ldap.c:ads_try_connect(189)
  ads_try_connect: CLDAP request 192.168.50.75 failed.
[2010/04/21 14:36:28, 1] libads/cldap.c:recv_cldap_netlogon(219)
  no reply received to cldap netlogon
[2010/04/21 14:36:28, 3] libads/ldap.c:ads_try_connect(189)
  ads_try_connect: CLDAP request 10.10.10.116 failed.
[2010/04/21 14:36:35, 1] libads/cldap.c:recv_cldap_netlogon(219)
  no reply received to cldap netlogon
[2010/04/21 14:36:35, 3] libads/ldap.c:ads_try_connect(189)
  ads_try_connect: CLDAP request 10.10.10.110 failed.
[2010/04/21 14:36:35, 0] utils/net_ads.c:ads_startup_int(286)
  ads_connect: No logon servers
Join to domain is not valid: No logon servers
[2010/04/21 14:36:35, 2] utils/net.c:main(1075)
  return code = -1

Maintenant, je fais un net rpc testjoin. Ca fonctionne !!

 net rpc testjoin -d3

[2010/04/22 14:37:04, 3] param/loadparm.c:lp_load(5069)
  lp_load: refreshing parameters
[2010/04/22 14:37:04, 3] param/loadparm.c:init_globals(1440)
  Initialising global parameters
[2010/04/22 14:37:04, 3] param/params.c:pm_process(572)
  params.c:pm_process() - Processing configuration file /etc/samba/smb.conf
[2010/04/22 14:37:04, 3] param/loadparm.c:do_section(3808)
  Processing section [global]
[2010/04/22 14:37:04, 2] lib/interface.c:add_interface(81)
  added interface ip=192.168.120.2 bcast=192.168.255.255 nmask=255.255.0.0
[2010/04/22 14:37:04, 3] libsmb/cliconnect.c:cli_start_connection(1563)
  Connecting to host=DC001
[2010/04/22 14:37:04, 3] lib/util_sock.c:open_socket_out(866)
  Connecting to 192.168.10.110 at port 445
[2010/04/22 14:37:04, 3] libsmb/cliconnect.c:cli_session_setup_spnego(805)
  Doing spnego session setup (blob length=119)
[2010/04/22 14:37:04, 3] libsmb/cliconnect.c:cli_session_setup_spnego(832)
  got OID=1 2 840 48018 1 2 2
[2010/04/22 14:37:04, 3] libsmb/cliconnect.c:cli_session_setup_spnego(832)
  got OID=1 2 840 113554 1 2 2
[2010/04/22 14:37:04, 3] libsmb/cliconnect.c:cli_session_setup_spnego(832)
  got OID=1 2 840 113554 1 2 2 3
[2010/04/22 14:37:04, 3] libsmb/cliconnect.c:cli_session_setup_spnego(832)
  got OID=1 3 6 1 4 1 311 2 2 10
[2010/04/22 14:37:04, 3] libsmb/cliconnect.c:cli_session_setup_spnego(840)
  got principal=dc0...@mondomain
[2010/04/22 14:37:04, 3] libsmb/ntlmssp.c:ntlmssp_client_challenge(1018)
  Got challenge flags:
[2010/04/22 14:37:04, 3] libsmb/ntlmssp.c:debug_ntlmssp_flags(63)
  Got NTLMSSP neg_flags=0x62898215
[2010/04/22 14:37:04, 3] libsmb/ntlmssp.c:ntlmssp_client_challenge(1040)
  NTLMSSP: Set final flags:
[2010/04/22 14:37:04, 3] libsmb/ntlmssp.c:debug_ntlmssp_flags(63)
  Got NTLMSSP neg_flags=0x60088215
[2010/04/22 14:37:04, 3] libsmb/ntlmssp_sign.c:ntlmssp_sign_init(338)
  NTLMSSP Sign/Seal - Initialising with flags:
[2010/04/22 14:37:04, 3] libsmb/ntlmssp.c:debug_ntlmssp_flags(63)
  Got NTLMSSP neg_flags=0x60088215
[2010/04/22 14:37:04, 3] rpc_client/cli_pipe.c:rpc_pipe_bind(2082)
  rpc_pipe_bind: Remote machine DC001 pipe \NETLOGON fnum 0x8009 bind
request returned ok.
[2010/04/22 14:37:04, 3] 

Re: HS : Différence entre net rpc test join et net ads testjoin

2010-04-22 Thread pmenier

Thierry Leurent a écrit :

Bonjour,

Je dois mettre en place un proxy avec authetification AD. Le proxy seul
fonctionne (Squid, clamav et squidguard).
Je me bat actuellement pour l'intégration de la machine dans le domain
2003 natif.

J'ai bien rejoint le domain avec un net join ads.
Wbinfo -t me dit checking the trust secret via RPC calls succeeded.
Wbinfo -u et wbinfo -g me donne bien les users et groups.
Je fais un wbinfo -a UnUserAD%SomPassword, ça fonctionne.
Je fais un wbinfo -a MonDoima+UnUserAD%SomPassword, ça fonctionne (+ étant
mon séparateur).

Parcontre, un net ads testjoin me dit have ads_connect: No logon servers
   Join to domain is not valid: No logon 
servers

Le un debug de niveau 3 donne :
With a Debug Level 3, I recieve this messages.
[2010/04/21 14:36:21, 3] param/loadparm.c:lp_load(5069)
  lp_load: refreshing parameters
[2010/04/21 14:36:21, 3] param/loadparm.c:init_globals(1440)
  Initialising global parameters
[2010/04/21 14:36:21, 3] param/params.c:pm_process(572)
  params.c:pm_process() - Processing configuration file /etc/samba/smb.conf
[2010/04/21 14:36:21, 3] param/loadparm.c:do_section(3808)
  Processing section [global]
[2010/04/21 14:36:21, 2] lib/interface.c:add_interface(81)
  added interface ip=192.168.120.2 bcast=192.168.255.255 nmask=255.255.0.0
[2010/04/21 14:36:21, 3] libsmb/namequery.c:get_dc_list(1495)
  get_dc_list: preferred server list: , *
[2010/04/21 14:36:21, 1] libads/cldap.c:recv_cldap_netlogon(247)
  Failed to parse cldap reply
[2010/04/21 14:36:21, 3] libads/ldap.c:ads_try_connect(189)
  ads_try_connect: CLDAP request 192.168.10.116 failed.
[2010/04/21 14:36:21, 1] libads/cldap.c:recv_cldap_netlogon(247)
  Failed to parse cldap reply
[2010/04/21 14:36:21, 3] libads/ldap.c:ads_try_connect(189)
  ads_try_connect: CLDAP request 192.168.10.110 failed.
[2010/04/21 14:36:21, 1] libads/cldap.c:recv_cldap_netlogon(247)
  Failed to parse cldap reply
[2010/04/21 14:36:21, 3] libads/ldap.c:ads_try_connect(189)
  ads_try_connect: CLDAP request 192.168.50.75 failed.
[2010/04/21 14:36:28, 1] libads/cldap.c:recv_cldap_netlogon(219)
  no reply received to cldap netlogon
[2010/04/21 14:36:28, 3] libads/ldap.c:ads_try_connect(189)
  ads_try_connect: CLDAP request 10.10.10.116 failed.
[2010/04/21 14:36:35, 1] libads/cldap.c:recv_cldap_netlogon(219)
  no reply received to cldap netlogon
[2010/04/21 14:36:35, 3] libads/ldap.c:ads_try_connect(189)
  ads_try_connect: CLDAP request 10.10.10.110 failed.
[2010/04/21 14:36:35, 0] utils/net_ads.c:ads_startup_int(286)
  ads_connect: No logon servers
Join to domain is not valid: No logon servers
[2010/04/21 14:36:35, 2] utils/net.c:main(1075)
  return code = -1

Maintenant, je fais un net rpc testjoin. Ca fonctionne !!

 net rpc testjoin -d3

[2010/04/22 14:37:04, 3] param/loadparm.c:lp_load(5069)
  lp_load: refreshing parameters
[2010/04/22 14:37:04, 3] param/loadparm.c:init_globals(1440)
  Initialising global parameters
[2010/04/22 14:37:04, 3] param/params.c:pm_process(572)
  params.c:pm_process() - Processing configuration file /etc/samba/smb.conf
[2010/04/22 14:37:04, 3] param/loadparm.c:do_section(3808)
  Processing section [global]
[2010/04/22 14:37:04, 2] lib/interface.c:add_interface(81)
  added interface ip=192.168.120.2 bcast=192.168.255.255 nmask=255.255.0.0
[2010/04/22 14:37:04, 3] libsmb/cliconnect.c:cli_start_connection(1563)
  Connecting to host=DC001
[2010/04/22 14:37:04, 3] lib/util_sock.c:open_socket_out(866)
  Connecting to 192.168.10.110 at port 445
[2010/04/22 14:37:04, 3] libsmb/cliconnect.c:cli_session_setup_spnego(805)
  Doing spnego session setup (blob length=119)
[2010/04/22 14:37:04, 3] libsmb/cliconnect.c:cli_session_setup_spnego(832)
  got OID=1 2 840 48018 1 2 2
[2010/04/22 14:37:04, 3] libsmb/cliconnect.c:cli_session_setup_spnego(832)
  got OID=1 2 840 113554 1 2 2
[2010/04/22 14:37:04, 3] libsmb/cliconnect.c:cli_session_setup_spnego(832)
  got OID=1 2 840 113554 1 2 2 3
[2010/04/22 14:37:04, 3] libsmb/cliconnect.c:cli_session_setup_spnego(832)
  got OID=1 3 6 1 4 1 311 2 2 10
[2010/04/22 14:37:04, 3] libsmb/cliconnect.c:cli_session_setup_spnego(840)
  got principal=dc0...@mondomain
[2010/04/22 14:37:04, 3] libsmb/ntlmssp.c:ntlmssp_client_challenge(1018)
  Got challenge flags:
[2010/04/22 14:37:04, 3] libsmb/ntlmssp.c:debug_ntlmssp_flags(63)
  Got NTLMSSP neg_flags=0x62898215
[2010/04/22 14:37:04, 3] libsmb/ntlmssp.c:ntlmssp_client_challenge(1040)
  NTLMSSP: Set final flags:
[2010/04/22 14:37:04, 3] libsmb/ntlmssp.c:debug_ntlmssp_flags(63)
  Got NTLMSSP neg_flags=0x60088215
[2010/04/22 14:37:04, 3] libsmb/ntlmssp_sign.c:ntlmssp_sign_init(338)
  NTLMSSP Sign/Seal - Initialising with flags:
[2010/04/22 14:37:04, 3] libsmb/ntlmssp.c:debug_ntlmssp_flags(63)
  Got NTLMSSP neg_flags=0x60088215
[2010/04/22 14:37:04, 3] rpc_client/cli_pipe.c:rpc_pipe_bind(2082)
  rpc_pipe_bind: Remote machine DC001 pipe \NETLOGON fnum 0x8009 bind
request returned ok.

[zul...@free.fr: mutt et abook]]

2010-04-22 Thread Frédéric ZULIAN
Bonjour,

J'ai quelques difficultés à poster sur users...@mutt.org.

Gmail envoit par défaut conjointement .txt et .html ce que n'accepte pas la 
liste.

En passant par les webmails de free et d'online.net je me fais jeter :

users...@mutt.org: host spamgizmo.flirble.org[195.99.220.133] refused to
talk to me: 554-spamgizmo.flirble.org 554 Your access to this mail
system has been rejected due to the sending MTA's poor reputation. If
you believe hat this failure is in error, please contact the intended
recipient via alternate means.
 
Une idée ?

F1sxo
Frédéric ZULIAN

-- 
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/20100422191230.ga16...@zulian.com



Re: [zul...@free.fr: mutt et abook]]

2010-04-22 Thread bernard . schoenacker

- Mail d'origine -
De: Frédéric ZULIAN zul...@free.fr
À: liste.debian debian-user-french@lists.debian.org
Envoyé: Thu, 22 Apr 2010 21:12:30 +0200 (CEST)
Objet: [zul...@free.fr: mutt et abook]]

Bonjour,

J'ai quelques difficultés à poster sur users...@mutt.org.

Gmail envoit par défaut conjointement .txt et .html ce que n'accepte pas la 
liste.

En passant par les webmails de free et d'online.net je me fais jeter :

users...@mutt.org: host spamgizmo.flirble.org[195.99.220.133] refused to
talk to me: 554-spamgizmo.flirble.org 554 Your access to this mail
system has been rejected due to the sending MTA's poor reputation. If
you believe hat this failure is in error, please contact the intended
recipient via alternate means.
 
Une idée ?

F1sxo
Frédéric ZULIAN

bonjour,

concernant ( webmail ) free, il est possible de pouvoir émettre les courriels 
en mode texte pur et dur et quelque soit le logiciel employé ( zimbra ou autre 
) ...

en revanche dans les param de google mail il est également possible de couper 
les cheuveux en 4, mais je n'ai pas de compte à configuer sur la main ...

slt
bernard

--
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/1183043132.11545741271964820056.javamail.r...@zimbra28-e5.priv.proxad.net



Re: [zul...@free.fr: mutt et abook]]

2010-04-22 Thread Jack.R
On Thu, 22 Apr 2010 21:12:30 +0200
Frédéric ZULIAN zul...@free.fr wrote:

 Bonjour,
 
 J'ai quelques difficultés à poster sur users...@mutt.org.
 
 Gmail envoit par défaut conjointement .txt et .html ce que n'accepte
 pas la liste.
 
 Une idée ?
 
 F1sxo
 Frédéric ZULIAN
 

Lors de la création du mail, cliquer sur texte seul, la barre de mise
en forme avancée disparaît et le mail est en texte brut.
Le réglage est conservé d'une fois sur l'autre.

Le lien mise en forma avancée permet de re-basculer en mode txt + html

-- 
Jack.R

--
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/20100422215751.6724c9d7.jac...@free.fr



Re: [OT] Zlot Programistow i Entuzjastow Jezyka PHP. Jodlowy Dwor w GorachSwietokrzyskich.

2010-04-22 Thread Krzysztof Zubik
Krzysztof Zubik pisze:
 Witam.
 Pragne tym razem powiedziec o zupelnie nowym spotkanmiu.
 Oto Zlot Programistow i Entuzjastow Jezyka PHP.
 Miejsce. Osrodek Wypoczynkowy Jodlowy Dwor w Hucie Szklanej.
  Gory Swietokrzyskie. Tutaj rok temu mielismy Jesien Linuxowa.
 Termin. Od 21 do 23 maja 2010 r.
 O nim pod http://www.phpcon.pl
 Koszty od 230 do 411 zl. Wiecej pod powyzszym linkiem.
 Juz mozliwe sa zapisy. Zeby zapisac sie najpierw zalozyc konto.

 **

 Wstepna agenda.

  Template
 Tomasz „Zyx” Jędrzejewski

 * problematyka systemów szablonów, czyli rozwianie wielu mitów na ich 
 temat, jakie pokutują nawet wśród dobrych programistów,
 * krótkie porównanie OPT z innymi systemami szablonów oraz przedstawienie 
 idei „nowoczesnych”, inteligentnych systemów szablonów.
 * pokazanie na kilku przykładach najciekawszych własności OPT oraz zasady 
 działania tej biblioteki.

 Drupal Application Framework – metoda na aplikację sieciową
 Jan Koprowski

 Prezentacja ma na celu przedstawienie Drupala jako środowiska developerskiego 
 będącego często bezdyskusyjną alternatywą dla typowych frameworków PHP, dla 
 większości powstających dzisiaj projektów.

 Będzie to proste „case study”, w którym postaram się wykazać, iż czas 
 tworzenia typowej aplikacji webowej z użyciem Drupala jest znacznie krótszy 
 od tworzenia tej samej aplikacji z użyciem frameworka.
 SOAP jako mechanizm zdalnego wywołania procedur,
 integracja SOAP z CakePHP
 Artur Siążnik

 CakePHP jest jednym z najpopularniejszych obecnie dostępnych frameworków dla 
 PHP. Wykorzystanie mechanizmów zaimplementowanych w CakePHP ułatwia 
 programiście pracę, przejmując na siebie większość uciążliwych obowiązków. 
 Dzięki temu projektant skupia się na tym co ma zrobić, a nie jak.

 Obecnie wiele serwisów i narzędzi internetowych udostępnia swoją 
 funkcjonalność dla aplikacji trzecich, w większości przypadków, dzieje się to 
 poprzez protokół SOAP. Swoje SOAP API udostępnia między innymi Microsoft, 
 umożliwiając zdalne otrzymanie wyników z wyszukiwarki Bing, PayPal, 
 pozwalając na integracje własnej aplikacji z serwisem PayPal czy NCBI 
 (National Center for Biotechnology Information), dzięki któremu mamy dostęp 
 do największej na świecie bazy danych biotechnologicznych i medycznych.

 Niniejsza prezentacja przedstawi sposób na optymalną integrację protokołu 
 SOAP z potężnym narzędziem jakim jest CakePHP, poszerzając funkcjonalność 
 wbudowanej architektury MVC.
 Systemy cache'owania danych w PHP
 Przemysław „eRIZ” Pawliczuk

 W nieco bardziej zaawansowanych aplikacjach internetowych, wąskim gardłem 
 jest coraz częściej dostęp do danych – czy to poprzez bazy, czy komunikację z 
 zewnętrznymi procesami. W prezentacji omówię dostępne w PHP systemy 
 buforowania wraz z najprostszymi przykładami użycia.
 Ochrona witryny przed spamem
 Wojciech Kocjan

 Podczas prelekcji zaprezentuję metody zabezpieczania formularzy, for 
 dyskusyjnych i komentarzy przed robotami spamerskimi. Będzie nieco o 
 charakterystyce i celach ich działania, oraz o tym, jak działają przypadki z 
 życia wzięte.

 Przedstawię przegląd rozwiązań, które blokują spam, a także kilku technik, 
 które można zastosować.
 Wprowadzenie do implementacji architektur plug-in w PHP
 Damian Tylczyński

 Aktualne serwisy internetowe coraz częściej przypominają rozbudowane 
 aplikacje, tworzone w dużych zespołach programistów z myślą o długofalowym 
 rozwoju. Opowiem jak okiełznać pokaźne bazy kodu i umożliwić elastyczną 
 rozbudowę aplikacji dzięki architekturom typu plug-in.

 **

 Mozna tez zglaszac kolejne zgloszenia. O nich podane.

 **

 Nadal przyjmujemy propozycje wystąpień. Jeśli masz ciekawy temat do 
 zaprezentowania, prześlij na adres
 komitetu programowego http://www.phpcon.pl/organizatorzy
 propozycję, która zawiera:

 * twoje imię i nazwisko,
 * tytuł wystąpienia,
 * 3-zdaniowe streszczenie prelekcji,
 * kilka słów o sobie oraz swoich dokonaniach webowych i oratorskich ;)

 Czekamy na propozycje. Odpowiemy tak szybko, jak tylko to możliwe.

 **

 Osrodek Jodlowy Dwor. Bardzo ladne miejsce i w maju pewnie bedzie tu
 jeszcze ladniej  niz rok temu gdy byla Jesien Linuxowa. :)
Witam.
Przypominam o tym spotkaniu. Zapisy i oplaty
do konca kwietnia wiec juz neidlugo.

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. 

Re: [OFF TOPIC] Aunteticación Active directory W2k3 con SAMBA

2010-04-22 Thread Camaleón
El Wed, 21 Apr 2010 15:09:19 -0500, Usuario escribió:

No creo que sea off-topic

(...)

 #write list = PGJ
 
 El problema esta en que todos los usuarios del AD pueden escribir y leer
 los archivos.
 Cosa que no quiero que pase sino que ciertos usuarios que estan en un
 grupo puedan hacerlo.

(...)

Si no recuerdo mal, el valor de write list requiere el uso de la arroba 
para indicar un grupo:

write list = @grupo

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/pan.2010.04.22.07.17...@gmail.com



Re: repos DEB

2010-04-22 Thread Angel Abad
El día 22 de abril de 2010 00:43, islanis isla...@infomed.sld.cu escribió:
 hola amigos tengo una duda que seguro para ustedes no lo es mas, que me
 viene dando vueltas desde hace mucho,, tengo un peque;o problema, cada vez
 que instalo el eclipse el se instala de lo mejor de maravilla pero no me
 funciona, porque me da un error que dice lo siguiente


 JVM terminated. Exit code=127
 /usr/lib/jvm/java-gcj/bin/java
 -Djava.library.path=/usr/lib/jni
 -Dgnu.gcj.precompiled.db.path=/var/lib/gcj-4.2/classmap.db
 -Dgnu.gcj.runtime.VMClassLoader.library_control=never
 -Dosgi.locking=none
 -jar /usr/lib/eclipse/startup.jar
 -os linux
 -ws gtk
 -arch x86
 -launcher /usr/lib/eclipse/eclipse
 -name Eclipse
 -showsplash 600
 -exitdata 100012
 -install /usr/lib/eclipse
 -vm /usr/lib/jvm/java-gcj/bin/java
 -vmargs
 -Djava.library.path=/usr/lib/jni
 -Dgnu.gcj.precompiled.db.path=/var/lib/gcj-4.2/classmap.db
 -Dgnu.gcj.runtime.VMClassLoader.library_control=never
 -Dosgi.locking=none
 -jar /usr/lib/eclipse/startup.jar


 y nada que no me deja levantar el eclipse entonces me da la impresion de que
 es porque no le puse la maquina vistual de java correcta pero es que solo
 trabajo con los discos no tengo mas repos por aca solo esos y unos del
 ubuntu intrepid y los de jaunty pero como tengo debian, entonces mi pregunta
 es, se puede usar los repos de ubuntu en debian, pues es que he escuchado a
 amigos mios decir que si que se puede ya que so base .deb pues claro que si
 que se puede, amigos me hace falta que me aclaren eso para ver si puedo
 usarlo para instalar la maquina virtual de java que requiere mi
 eclipse,gracias de antemano a todos,

Buenas, si quieres usar la maquina virtual de sun, deberias instalar
sun-java6-jre  o sun-java5-jre dependiendo de que versión uses y
despues ejecutar

# update-alternatives --config java

y le dices que quieres usar la maquina de sun.

No es buena idea mezclar repos de ubuntu en una debian, aunque son
paquetes .deb tienen dependencias diferentes. Con paquetes de universe
igual no te da muchos problemas porque casi todos son importados
directamente de debian, pero con los de main es muy facil que te
fallen las dependencias. Antes o después te dará problemas.

AgR

 --

 Este mensaje le ha llegado mediante el servicio de correo electronico que
 ofrece Infomed para respaldar el cumplimiento de las misiones del Sistema
 Nacional de Salud. La persona que envia este correo asume el compromiso de
 usar el servicio a tales fines y cumplir con las regulaciones establecidas

 Infomed: http://www.sld.cu/


 --
 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/4bcf7f74.4000...@infomed.sld.cu




--
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/r2n6fc1ef361004220039q87fc4a91g9006ad3ba4816...@mail.gmail.com



Re: [OFF TOPIC] Aunteticación Active direct ory W2k3 con SAMBA

2010-04-22 Thread Antonio
El 21/04/10 22:09, Usuario escribió:
 Ojalá y puedan echarme la mano. Explico
 Tengo un servidor con Linux y SAMBA y unas carpetas que comparto con
 clientes WinXP
 Pero autentifico a los usuarios via Active Directory (AD) que está en
 un servidor W2k3.
 La configuración que tengo en smb.conf es la siguiente

 [FC]
   comment = All users
   path = /home/fc/
   writeable = yes
   read only = No
   inherit acls = Yes
   veto files = /aquota.user/groups/shares/
   available = Yes
   valid users = PGJ+%U
 #valid users = PGJ+sistemas
 #create mask = 10062
 #write list = PGJ

 El problema esta en que todos los usuarios del AD pueden escribir y
 leer los archivos.
 Cosa que no quiero que pase sino que ciertos usuarios que estan en un
 grupo puedan hacerlo.

 Mis dudas son, ¿ese grupo debe de estar en el AD o en el servidor Linux?
 En ambas opciones no tengo idea de como hacerlo jejeje una ayudadita.

 Cree un grupo en el AD que le puse sistemas. Lei que anotando el
 nombre del grupo despues del valid user daria acceso a todo los
 usuarios que eprtenecen a ese grupo pero no tuv efecto
 Luego vi que sistemas tenia el idgroup 10062 y se me hizo facil
 anotarlo en el create mask pero resulto que igual todos los usuarios
 del dominio tenían acceso.

 Saludos y gracias

   
Yo creo el grupo en el AD y después introduzco esta línea

valid groups = nombredominio+grupo

y me funciona muy bien.

Un saludo.


-- 
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/4bcffcde.50...@yahoo.es



Re: repos DEB

2010-04-22 Thread islanis

man hice l que me dijiste pero me sigue haciendo lo mismo
, me sigue saliendo el mismo mensaje de error, pero es que yo instale  
tambien la maquina de sun desde los repos de ubuntu que tenia aca, y no 
tengo acceso a sourceforge, , donde puediera encontrar la maquina 
vistual de java para debian que no sea en sourceforge,gracias de anteamno


Angel Abad escribió:

El día 22 de abril de 2010 00:43, islanis isla...@infomed.sld.cu escribió:
  

hola amigos tengo una duda que seguro para ustedes no lo es mas, que me
viene dando vueltas desde hace mucho,, tengo un peque;o problema, cada vez
que instalo el eclipse el se instala de lo mejor de maravilla pero no me
funciona, porque me da un error que dice lo siguiente


JVM terminated. Exit code=127
/usr/lib/jvm/java-gcj/bin/java
-Djava.library.path=/usr/lib/jni
-Dgnu.gcj.precompiled.db.path=/var/lib/gcj-4.2/classmap.db
-Dgnu.gcj.runtime.VMClassLoader.library_control=never
-Dosgi.locking=none
-jar /usr/lib/eclipse/startup.jar
-os linux
-ws gtk
-arch x86
-launcher /usr/lib/eclipse/eclipse
-name Eclipse
-showsplash 600
-exitdata 100012
-install /usr/lib/eclipse
-vm /usr/lib/jvm/java-gcj/bin/java
-vmargs
-Djava.library.path=/usr/lib/jni
-Dgnu.gcj.precompiled.db.path=/var/lib/gcj-4.2/classmap.db
-Dgnu.gcj.runtime.VMClassLoader.library_control=never
-Dosgi.locking=none
-jar /usr/lib/eclipse/startup.jar


y nada que no me deja levantar el eclipse entonces me da la impresion de que
es porque no le puse la maquina vistual de java correcta pero es que solo
trabajo con los discos no tengo mas repos por aca solo esos y unos del
ubuntu intrepid y los de jaunty pero como tengo debian, entonces mi pregunta
es, se puede usar los repos de ubuntu en debian, pues es que he escuchado a
amigos mios decir que si que se puede ya que so base .deb pues claro que si
que se puede, amigos me hace falta que me aclaren eso para ver si puedo
usarlo para instalar la maquina virtual de java que requiere mi
eclipse,gracias de antemano a todos,



Buenas, si quieres usar la maquina virtual de sun, deberias instalar
sun-java6-jre  o sun-java5-jre dependiendo de que versión uses y
despues ejecutar

# update-alternatives --config java

y le dices que quieres usar la maquina de sun.

No es buena idea mezclar repos de ubuntu en una debian, aunque son
paquetes .deb tienen dependencias diferentes. Con paquetes de universe
igual no te da muchos problemas porque casi todos son importados
directamente de debian, pero con los de main es muy facil que te
fallen las dependencias. Antes o después te dará problemas.

AgR

  

--

Este mensaje le ha llegado mediante el servicio de correo electronico que
ofrece Infomed para respaldar el cumplimiento de las misiones del Sistema
Nacional de Salud. La persona que envia este correo asume el compromiso de
usar el servicio a tales fines y cumplir con las regulaciones establecidas

Infomed: http://www.sld.cu/


--
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/4bcf7f74.4000...@infomed.sld.cu






  



--

Este mensaje le ha llegado mediante el servicio de correo electronico que 
ofrece Infomed para respaldar el cumplimiento de las misiones del Sistema 
Nacional de Salud. La persona que envia este correo asume el compromiso de usar 
el servicio a tales fines y cumplir con las regulaciones establecidas

Infomed: http://www.sld.cu/


--
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/4bd030c2.2070...@infomed.sld.cu



Ver CIERRAN LAS REDES NING ES DEFINITIVO DATE PRISA Y NO PIERDAS TUS CONTACTOS ES LO MAS VALIOSO QUE TIENES en UNION DE EMPRENDEDORES

2010-04-22 Thread eradenegocio
UNION DE EMPRENDEDORES: La Union Hace La Fuerza Solo Trabajaremos Negocios Que 
Pagan y Alguna Novedad


IMPORTANTE  reune tus contactos  a traves de una red que paga ning cierra  sus 
puertas a las redes gratis

Post de blog añadido por eradenegocio:
AhoRa ya es definitivo cierran las redes ning gratuitas, por lo que debemos 
darnos prisa para mantener nuestros contactos y no perderlos he...

Enlace del post de blog:
http://reddinero.ning.com/profiles/blog/show?id=3470602%3ABlogPost%3A7396xgs=1xgi=3AJRo6nzDuCi3gxg_source=msg_share_post

If your email program doesn't recognize the web address above as an active link,
please copy and paste it into your web browser



Sobre UNION DE EMPRENDEDORES
Trabajando Donde Pagan Y Empezando Nuevas Oportunidades

708 miembros 
52 videos
58 entradas de blog



Para controlar los emails que recibes en la esquina, o para salirte, ve a:
http://reddinero.ning.com/?xgo=8iAy/u2-aeI8pJuT325WO2zO5XXqFD9wULEPnV6Gtg7G5idduyrpFPzizrOo/gEZXLOP23lCAiKKsAhBrRJlJAxg_source=msg_share_post

Re: repos DEB

2010-04-22 Thread Angel Abad
El día 22 de abril de 2010 13:19, islanis isla...@infomed.sld.cu escribió:
 man hice l que me dijiste pero me sigue haciendo lo mismo
 , me sigue saliendo el mismo mensaje de error, pero es que yo instale
  tambien la maquina de sun desde los repos de ubuntu que tenia aca, y no
 tengo acceso a sourceforge, , donde puediera encontrar la maquina vistual de
 java para debian que no sea en sourceforge,gracias de anteamno

La máquina virtual de sun la tienes en los repositorios oficiales de
debian sun-java5-jre o sun-java6-jre dependiendo de que version de
debian uses.

AgR

 Angel Abad escribió:

 El día 22 de abril de 2010 00:43, islanis isla...@infomed.sld.cu
 escribió:


 hola amigos tengo una duda que seguro para ustedes no lo es mas, que me
 viene dando vueltas desde hace mucho,, tengo un peque;o problema, cada
 vez
 que instalo el eclipse el se instala de lo mejor de maravilla pero no me
 funciona, porque me da un error que dice lo siguiente


 JVM terminated. Exit code=127
 /usr/lib/jvm/java-gcj/bin/java
 -Djava.library.path=/usr/lib/jni
 -Dgnu.gcj.precompiled.db.path=/var/lib/gcj-4.2/classmap.db
 -Dgnu.gcj.runtime.VMClassLoader.library_control=never
 -Dosgi.locking=none
 -jar /usr/lib/eclipse/startup.jar
 -os linux
 -ws gtk
 -arch x86
 -launcher /usr/lib/eclipse/eclipse
 -name Eclipse
 -showsplash 600
 -exitdata 100012
 -install /usr/lib/eclipse
 -vm /usr/lib/jvm/java-gcj/bin/java
 -vmargs
 -Djava.library.path=/usr/lib/jni
 -Dgnu.gcj.precompiled.db.path=/var/lib/gcj-4.2/classmap.db
 -Dgnu.gcj.runtime.VMClassLoader.library_control=never
 -Dosgi.locking=none
 -jar /usr/lib/eclipse/startup.jar


 y nada que no me deja levantar el eclipse entonces me da la impresion de
 que
 es porque no le puse la maquina vistual de java correcta pero es que solo
 trabajo con los discos no tengo mas repos por aca solo esos y unos del
 ubuntu intrepid y los de jaunty pero como tengo debian, entonces mi
 pregunta
 es, se puede usar los repos de ubuntu en debian, pues es que he escuchado
 a
 amigos mios decir que si que se puede ya que so base .deb pues claro que
 si
 que se puede, amigos me hace falta que me aclaren eso para ver si puedo
 usarlo para instalar la maquina virtual de java que requiere mi
 eclipse,gracias de antemano a todos,


 Buenas, si quieres usar la maquina virtual de sun, deberias instalar
 sun-java6-jre  o sun-java5-jre dependiendo de que versión uses y
 despues ejecutar

 # update-alternatives --config java

 y le dices que quieres usar la maquina de sun.

 No es buena idea mezclar repos de ubuntu en una debian, aunque son
 paquetes .deb tienen dependencias diferentes. Con paquetes de universe
 igual no te da muchos problemas porque casi todos son importados
 directamente de debian, pero con los de main es muy facil que te
 fallen las dependencias. Antes o después te dará problemas.

 AgR



 --

 Este mensaje le ha llegado mediante el servicio de correo electronico que
 ofrece Infomed para respaldar el cumplimiento de las misiones del Sistema
 Nacional de Salud. La persona que envia este correo asume el compromiso
 de
 usar el servicio a tales fines y cumplir con las regulaciones
 establecidas

 Infomed: http://www.sld.cu/


 --
 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/4bcf7f74.4000...@infomed.sld.cu








 --

 Este mensaje le ha llegado mediante el servicio de correo electronico que
 ofrece Infomed para respaldar el cumplimiento de las misiones del Sistema
 Nacional de Salud. La persona que envia este correo asume el compromiso de
 usar el servicio a tales fines y cumplir con las regulaciones establecidas

 Infomed: http://www.sld.cu/



--
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/j2j6fc1ef361004220427l2e70ba12p239f854d9a928...@mail.gmail.com



Cambiar nombre a Interfaces de Red

2010-04-22 Thread Orlando Nuñez
Saludos.

El dia de hoy se me presento un problema en el servidor, una de las tarjetas
de red amaneció dañada (Uno de los componentes esta visiblemente quemado).

El servidor tiene dos tarjetas PCI Gigalan y la tarjeta de red integrada a
la tarjeta madre.

Estos son los servicios principales que tiene instalado el servidor:
* Samba.
* Cortafuegos.
* DHCP
* Servidor Jabber (Openfire)
* Squid.
* Dansguardian
* DNS.

Eth0 (Internet)
Eth1 (Red Interna)

Como tengo otra tarjeta de red gigalan de la misma marca y modelo, asi que
apague el equipo, cambie la tarjeta pero esta la levante asi

ifconfig eth2 192.168.1.1 netmask 255.255.255.0 up

Y luego edite el archivo /etc/network/interfaces y reemplaze eth1 por
eth2

Lo mismo debi hacer con los archivos de configuracion de DHCP, Samba y el
cortafuegos.

Ahora mi pregunta es, si me llegara a suceder lo mismo, como puedo hacer
para que la nueva tarjeta eth2 simplemente renombrarla a eth1 y asi no
tener que hacer ningun cambio en algun servicio?

Muchas Gracias por la ayuda.

-- 
- - - - - - - - - - - - - - - - - - -
Orlando Nuñez
Minha vida eu dedico, a arte da Capoeira!


Re: Cambiar nombre a Interfaces de Red

2010-04-22 Thread Enmanuel Llanos Caycedo
-BEGIN PGP SIGNED MESSAGE-
Hash: SHA1

Utiliza ifrename.

Aqui tienes una ayuda al respecto --
http://www.esdebian.org/foro/11402/eth0-o-eth1


-BEGIN PGP SIGNATURE-
Version: GnuPG v1.4.10 (GNU/Linux)
Comment: Use GnuPG with Firefox : http://getfiregpg.org (Version: 0.7.10)

iEYEARECAAYFAkvQWbcACgkQKygGvutWj25MSwCfVpWcC24gDj2bhLg56miAZW2s
6fEAn0v2T+jpnrtCo53LGYg76ao2nlok
=jtsQ
-END PGP SIGNATURE-

2010/4/22 Orlan-do Nuñez onvi...@gmail.com:
 Saludos.
 El dia de hoy se me presento un problema en el servidor, una de las tarjetas
 de red amaneció dañada (Uno de los componentes esta visiblemente quemado).
 El servidor tiene dos tarjetas PCI Gigalan y la tarjeta de red integrada a
 la tarjeta madre.
 Estos son los servicios principales que tiene instalado el servidor:
 * Samba.
 * Cortafuegos.
 * DHCP
 * Servidor Jabber (Openfire)
 * Squid.
 * Dansguardian
 * DNS.
 Eth0 (Internet)
 Eth1 (Red Interna)
 Como tengo otra tarjeta de red gigalan de la misma marca y modelo, asi que
 apague el equipo, cambie la tarjeta pero esta la levante asi
 ifconfig eth2 192.168.1.1 netmask 255.255.255.0 up
 Y luego edite el archivo /etc/network/interfaces y reemplaze eth1 por
 eth2
 Lo mismo debi hacer con los archivos de configuracion de DHCP, Samba y el
 cortafuegos.
 Ahora mi pregunta es, si me llegara a suceder lo mismo, como puedo hacer
 para que la nueva tarjeta eth2 simplemente renombrarla a eth1 y asi no
 tener que hacer ningun cambio en algun servicio?
 Muchas Gracias por la ayuda.
 --
 - - - - - - - - - - - - - - - - - - -
 Orlando Nuñez
 Minha vida eu dedico, a arte da Capoeira!




-- 
Enmanuel Llanos Caicedo
Analista de Sistemas
GNU/Linux 2.6.30 686 en Debian testing
GPG Key Fingerprint = CC20 3CFF E437 509D 9B9E 8A08 2B28 06BE EB56 8F6E


--
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/j2jd25df9c41004220719q5d2c40fdud7bd79d11f156...@mail.gmail.com



Re: Cambiar nombre a Interfaces de Red

2010-04-22 Thread Francisco Paniagua

Orlando Nuñez escribió:

Saludos.

El dia de hoy se me presento un problema en el servidor, una de las 
tarjetas de red amaneció dañada (Uno de los componentes esta 
visiblemente quemado).


El servidor tiene dos tarjetas PCI Gigalan y la tarjeta de red 
integrada a la tarjeta madre.


Estos son los servicios principales que tiene instalado el servidor:
* Samba.
* Cortafuegos.
* DHCP
* Servidor Jabber (Openfire)
* Squid.
* Dansguardian
* DNS.

Eth0 (Internet)
Eth1 (Red Interna)

Como tengo otra tarjeta de red gigalan de la misma marca y modelo, asi 
que apague el equipo, cambie la tarjeta pero esta la levante asi


ifconfig eth2 192.168.1.1 netmask 255.255.255.0 up

Y luego edite el archivo /etc/network/interfaces y reemplaze eth1 
por eth2


Lo mismo debi hacer con los archivos de configuracion de DHCP, Samba y 
el cortafuegos.


Ahora mi pregunta es, si me llegara a suceder lo mismo, como puedo 
hacer para que la nueva tarjeta eth2 simplemente renombrarla a 
eth1 y asi no tener que hacer ningun cambio en algun servicio?


En el fichero /etc/udev/rules.d/70-persistent-net.rules están 
identificadas las tarjetas de red con su nombre y mac, sólo tendrías que 
eliminar la que has quitado y renombrar la nueva





Muchas Gracias por la ayuda.

--
- - - - - - - - - - - - - - - - - - -
Orlando Nuñez
Minha vida eu dedico, a arte da Capoeira!




__ 
LLama Gratis a cualquier PC del Mundo. 
Llamadas a fijos y móviles desde 1 céntimo por minuto. 
http://es.voice.yahoo.com



--
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/4bd05b42.8030...@yahoo.es



Re: Cambiar nombre a Interfaces de Red

2010-04-22 Thread Juan Antonio
Hola,

en /etc/udev/rules.d/70-persistent-net.rules puedes asociar el nombre
del dispositivo a por ejemplo la mac del interfaz.

Un saludo.

El 22/04/10 15:57, Orlando Nuñez escribió:
 Saludos.

 El dia de hoy se me presento un problema en el servidor, una de las
 tarjetas de red amaneció dañada (Uno de los componentes esta
 visiblemente quemado).

 El servidor tiene dos tarjetas PCI Gigalan y la tarjeta de red
 integrada a la tarjeta madre.

 Estos son los servicios principales que tiene instalado el servidor:
 * Samba.
 * Cortafuegos.
 * DHCP
 * Servidor Jabber (Openfire)
 * Squid.
 * Dansguardian
 * DNS.

 Eth0 (Internet)
 Eth1 (Red Interna)

 Como tengo otra tarjeta de red gigalan de la misma marca y modelo, asi
 que apague el equipo, cambie la tarjeta pero esta la levante asi

 ifconfig eth2 192.168.1.1 netmask 255.255.255.0 up

 Y luego edite el archivo /etc/network/interfaces y reemplaze eth1
 por eth2

 Lo mismo debi hacer con los archivos de configuracion de DHCP, Samba y
 el cortafuegos.

 Ahora mi pregunta es, si me llegara a suceder lo mismo, como puedo
 hacer para que la nueva tarjeta eth2 simplemente renombrarla a
 eth1 y asi no tener que hacer ningun cambio en algun servicio?

 Muchas Gracias por la ayuda.

 -- 
 - - - - - - - - - - - - - - - - - - -
 Orlando Nuñez
 Minha vida eu dedico, a arte da Capoeira!


-- 
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/4bd05837.5060...@limbo.ari.es



Subscription a Descuentos en Salud

2010-04-22 Thread lina reyes carmona
You have been invited to join lina susana alvarez carmona's email list(s). 
Click the link(s) to confirm your subscription:

Tratamiento 100% natural para el control de la diabetes y la eliminación de las 
neuropatías.

 

Uso: 4 meses y  en dosis de 2 cápsulas  en cada comida

el tratamiento Kit 4 es  de $1000 pesos su costo, ya incluye el envió.

 

El neem funciona en pacientes diabéticos con altos niveles  de glucosa , lo que 
hace neem es normalizar al paciente diabético sin efectos secundarios adversos. 
ya que corrige el alta de glucosa, colesterol, ácido úrico a niveles normales. 
evitando así mas complicaciones y el uso de insulina. También previene al 
paciente del glaucoma, protege al organismo y la piel de infecciones de 
cualquier tipo, mejora la circulación general, ayuda a pacientes hipertensos. 
En la gran mayoría de los casos también se logra recuperar su vigor sexual.

 

Si todavía no utiliza insulina es preferible que tome el tratamiento Kit 4 de 
diabetes para pacientes con diabetes tipo 2. en dosis moderada .

 

Ya que en el  paquete van las instrucciones de uso y su dosis según los niveles 
que presente de glucosa. 

 

Todos los envíos a domicilio son prepagados en banco y la mensajería corre por 
nuestra cuenta ya que es más económica.

 

El Tratamiento  incluye:

 

10 frascos de corteza verde de neem

Cd-rom con la información de la dieta

Cuidados del diabético

Forma de Alimentación

Y el envió gratis a todo México.

 

Bondades de este tratamiento:

 

La revitalización del paciente, evitar llegar a la diálisis y restablecer el 
buen funcionamiento de los riñones, reactiva la actividad sexual y controla el 
nivel de azúcar en la sangre así mismo evita el daño vascular provocado por la 
diabetes y el abuso de fármacos como por ultimo la eliminación de problemas en 
la piel, vista , cansancio y resequedad en la boca .

 

Neem no solo ayuda al diabético a normalizar su vida sexual sino tambien le  
garantizá la rehabilitación completa.

 

No se deje engañar por productos de calidad herbolaria nuestros tratamientos 
tienen nivel farmacéutico. son importados de la India.

 

Diabetes

Dado que el neem es un tónico y una revitalizador, funciona de manera efectiva 
en el tratamiento de la diabetes, como así. 

 

Más de una enfermedad que requiere el cambio de la dieta, la diabetes es la 
principal causa de ceguera en las personas edades veinticinco y setenta y 
cuatro, que también los daños nervios, los riñones, el escuchar y de los vasos 
sanguíneos, que pueden incluso resultar en la pérdida de extremidades. 
Incurable, que puede ser tratada en una variedad de maneras. 

 

Algunos estudios han demostrado que la aplicación oral de  extractos de hoja de 
nim una reducida necesidad de insulina del paciente por entre 30 y 50 por 
ciento para nonkeytonic, la insulina rápida y sensible a la insulina la 
diabetes. dado que el neem se ha encontrado para reducir las necesidades de 
insulina hasta por el 50 por ciento, sin alterar los niveles de glucosa en la 
sangre, el gobierno de la india ha aprobado la venta de nim cápsulas y 
comprimidos a través de las farmacias y clínicas para este fin. muchas de estas 
píldoras están hechas de pura esencia, hojas de nim en polvo. 

 

Estos tratamientos están indicados con dosis y dieta alimentaría según cada 
caso. por favor detallar su padecimiento y sintomatología para dar el mas 
adecuado de ellos.

 

Todos nuestros tratamientos estas aprobados y testados con mas de 1000 
pacientes diabéticos de mas de 3 años de padecer la enfermedad.

 

Lo mas interesante sobre el neem es que se ha demostrado que la corteza verde 
da bienestar eliminado las neuropatías y malestares provocados por la diabetes 
de forma directa. así lo demuestran pruebas en laboratorios alemanes los cuales 
hoy en día están formulando medicamentos en base a esta sustancia activa a 
costos altísimos he inalcanzables para economías emergentes.

 

El envió cuanto me cuesta y tiempo de entrega?

 

El costo de la mensajería es total mente gratuita y el tiempo de entre 
dependiendo de la plaza o ciudad varia desde 48 a 24 hrs y la mensajería que 
usamos son varias: dhl, estafeta, multipack y aeroflash. Con todas tenemos 
convenios.

 

Enviamos via email o telefónica el número de guía para que los pacientes puedan 
rastrear sus envíos.

 

Como uso el tratamiento?

Diabetes

4 cápsulas. corteza neem diarias 5 meses máximo 6 cápsulas 

dosis: 2 desayuno , 2 comida y 2 cena como máximo en otro caso se ser 4 
cápsulas al día 2 comida y 2 cena

nota: la posología esta basada en una persona adulta,

 

Agregamos los datos de forma de pedido pago y envio.

--

 

Forma de pedidos

Envíenos sus datos completos:

- Nombre completo

- Dirección de envio

- Teléfono

- Celular

- Email

- Pedido

- Forma de pago

- Envio ocurre o a domicilio

 

Re: [OFF TOPIC] Aunteticación Active directory W2k3 con SAMBA

2010-04-22 Thread Usuario
Ya intente asi
PGJ es el dominio y sistemas es el grupo
valid users = p...@sistemas
valid users = PGJ+sistemas

Pero no me deja ingresar y me pide usuario y contraseña otra vez (el
usuario lo pongo asi:PGJ\usuario  en winXP)

Creo que ayduaria mucho poner el log pero no se donde esta.

Hay un archivo que /var/log/samba/log.smbd que no dice gran cosa:


[2010/04/22 10:18:20, 0] smbd/server.c:main(944)
smbd version started.
Copyright Andrew Tridgell and the Samba Team 1992-2008

Pero la hora no corresponde cuando me niega el servicio.
¿Hay otro log que me pueda indicar cual es el problema?

Saludos y gracias


--
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/v2i69db5cd1004220827me776c435lc4d116f08a6d6...@mail.gmail.com



Re: [OFF TOPIC] Aunteticación Active directory W2k3 con SAMBA

2010-04-22 Thread Usuario
Ya pude hacer que funcionara. Puse:

valid users = @PGJ+sistema

Pero tengo que reiniciar winbind y/o samba (no se si solo alguno de
los dos pero como teng un script que reinicia ambos no se bien) para
que vuelva a consultar el AD de que el usuario esta o ya no esta en el
grupo. ¿que Samba no es sincrono con el servidor AD todo el tiempo?


Saludos y gracias


--
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/g2g69db5cd1004221029y6b498eefgbc3da3be8668...@mail.gmail.com



Duda sobre Mysar

2010-04-22 Thread Manuel Salgado T.
Saludos a todos:
Quisiera me ayudaran a configurar mysar. Resulta que nunca he trabajado con 
el. Cuando trato de configurarlo me dice esto:
Reading config.ini file...Failed!
You need to create the file 
/usr/local/mysar/etc/config.ini, making sure it is readable by the web
 server process, with the following contents:
dbUser = mysar
dbPass
 = mysar
dbHost = localhost
dbName = mysar
Click 
here [http://ns1.alimaticgr.co.cu/mysar/index.php?install=new3] to try 
again.

Gracias por su ayuda



Manuel Salgado T.
Administrador de Red
Empresa de Sistemas Automatizados (ALIMATIC-GRANMA)
Email:man...@alimaticgr.c.cu [mailto:man...@alimaticgr.c.cu]
Jabber: man...@jabber.alimaticgr.co.cu [mailto:man...@alimaticgr.c.cu]
website:http://www.alimaticgr.co.cu [http://www.alimaticgr.co.cu/]
phone: 44-1295 44-1253



Servicio de correo electronico de la UEB Informatica y Automatizacion Granma


Re: Duda sobre Mysar

2010-04-22 Thread º Alejandro Lucas listas.pascaliz...@gmail.com
El 22/04/10, Manuel Salgado T. man...@alimaticgr.co.cu escribió:
 Reading config.ini file...Failed!
 You need to create the file
 /usr/local/mysar/etc/config.ini, making sure it is readable by the web
  server process, with the following contents:
 dbUser = mysar
 dbPass
  = mysar
 dbHost = localhost
 dbName = mysar

Por lo que se lee en el mensaje que te tiró, debes crear el archivo:
/usr/local/mysar/etc/config.ini con la siguiente información:

 dbUser = mysar

Aca debes colocar el usuario de la base de datos

 dbPass = mysar

aca la contraseña

 dbHost = localhost

aca el host

 dbName = mysar

y por ultimo el nombre de la base de datos

Saludos

-- 
Alejandro 9dj

Recibir ficheros adjuntos en formato Word no es recomendable dado que
podrían acarrear algún tipo de virus (véase
http://en.wikipedia.org/wiki/Macro_virus). Enviar documentos de Word
puede ser perjudicial debido a que normalmente incluyen información
oculta acerca del autor, permitiendo a aquellos que lo saben espiar
las actividades del autor (quizá usted). El texto que creyó haber
borrado podría estar presente y ponerle en una situación embarazosa.
Véase http://news.bbc.co.uk/2/hi/technology/3154479.stm para más
información.

Pero sobre todo, enviar documentos de Word, insta a las personas a
utilizar software de Microsoft y contribuye a negarles cualquier otra
opción. En efecto, se convierte en un pilar para el monopolio que
dicha compañía trata de imponer, y ello supone un gran obstáculo de
cara a la adopción mayoritaria del software libre.
--
La imperiosidad de ser uno mismo...
Blog: http://www.pascalizado.com.ar


--
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/k2i630c5a821004221133s5d217363p73e49e1b8c9d0...@mail.gmail.com



mgetty + ppp

2010-04-22 Thread Yuniesky Machado
Saludos Listeros

Ya estoy de vuelta, el problema anterior era que no se como se elimino mi cuenta
de la lista, tuve que volver a inscribirme. Bueno a lo que iba

Quiero configurar un mgetty + ppp, ahora quiero hacer por ejemplo

cuando un cliente trate de conectarse de un x telefono pues mi server le diga tu
ip es 192.168.x.x
y cuando otro cliente conecte de un x telefono decirle tu ip es 192.168.x.xx

y por supuesto cuando un cliente valla a conectarse de telefono que no es el de
su casa

pues mi server rechaze la conexion

Creo que necesito primeramente un identificador de llamada en mi linea
telefonica del server, puede ser?

Gracias de Antemano
-- 

 * Yuniesky Machado Rojas   *
 * Administrador de Redes   *
 * Instituto Nacional de Investigación en Viandas Tropicales
*GNU/Linux User #481684 (http://counter.li.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/4860.169.158.79.75.1271967668.squir...@webmail.inivit.cu



Gnome- Desktop- Saber cuando un archivo ha sido copiado a una carpeta concreta

2010-04-22 Thread Jesús Genicio
Hola:

Me gustaría poder ejecutar un script cada vez que un archivo de un tipo
determinado es puesto en un directorio determinado, sin que el usuario
tenga que hacer nada más que arrastrar dicho archivo con el ratón de una
carpeta a otra.

He mirado dbus pero la verdad me pierdo, y la opción de tener un mirón
de continuo me parece fuera de lugar, ya que entiendo que existe ya una
solución a este tema.

¿Conoceis algo para esto.?

S2.



-- 
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/1271968055.3922.11.ca...@servidor



consulta sobre redireccion de puertos en iptables

2010-04-22 Thread Jose Pablo Rojas Carranza

Hola gente,
tengo una consulta sobre redireccion de puertos con iptables,
sucede que tengo un server con la conexión de Internet y tengo que hacer 
la redirección de una gran cantidad de puertos hacia otro servidor.

Para aceptar la entrada no tengo problema, el mismo lo hice con:
iptables -A INPUT --protocol tcp --dport 1:2 -j ACCEPT

Pero para redireccionar los puertos quería ver si tienen alguna 
sugerencia para hacerlo, ya que actualmente lo hago por medio de un ciclo.

#eth0 = red interna
#eth1 = conexion internet
#10.10.10.6 maquina destino dentro de la red
for i in `seq 1 2`;do
  iptables -t nat -A PREROUTING -p udp -i $eth1 --dport $i  -j  DNAT 
--to-destination 10.10.10.6:$i

done

Pero solamente ejecutando este ciclo dura al rededor de 10 minutos,
ustedes conocen alguna mejor manera de hacer este proceso?
Gracias


--
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/4bd0b689.1060...@gmail.com



Re: consulta sobre redireccion de puertos en iptables

2010-04-22 Thread Javier Barroso
2010/4/22 Jose Pablo Rojas Carranza linux.t...@gmail.com:
 Hola gente,
 tengo una consulta sobre redireccion de puertos con iptables,
 sucede que tengo un server con la conexión de Internet y tengo que hacer la
 redirección de una gran cantidad de puertos hacia otro servidor.
 Para aceptar la entrada no tengo problema, el mismo lo hice con:
 iptables -A INPUT --protocol tcp --dport 1:2 -j ACCEPT

 Pero para redireccionar los puertos quería ver si tienen alguna sugerencia
 para hacerlo, ya que actualmente lo hago por medio de un ciclo.
 #eth0 = red interna
 #eth1 = conexion internet
 #10.10.10.6 maquina destino dentro de la red
 for i in `seq 1 2`;do
  iptables -t nat -A PREROUTING -p udp -i $eth1 --dport $i  -j  DNAT
 --to-destination 10.10.10.6:$i
 done
Mejor que alguien te lo confirme, pero creo que es, según he leido por ahí [1] :
iptables -t nat -A PREROUTING -p udp -i $eth1 --dport 1:2 -j
DNAT --to-destination 10.10.10.6

Saludos
[1] 
http://www.linuxquestions.org/questions/linux-networking-3/how-to-specify-a-port-range-for-dnat-449771/


--
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/w2n81c921f31004221426v85c4cb77oc45c2bf130740...@mail.gmail.com



SOLUCIONADO: Re: consulta sobre redireccion de puertos en iptables

2010-04-22 Thread Jose Pablo Rojas Carranza
Hola Javier, muchas gracias, en efecto parece ser la solución, ahora no 
me a dado error.
Anteriormente me daba error porque tambien le ponia los puertos a la ip 
destino, entonces me decia que eran muchos puertos.

Gracias.

Javier Barroso wrote:

2010/4/22 Jose Pablo Rojas Carranza linux.t...@gmail.com:
  

Hola gente,
tengo una consulta sobre redireccion de puertos con iptables,
sucede que tengo un server con la conexión de Internet y tengo que hacer la
redirección de una gran cantidad de puertos hacia otro servidor.
Para aceptar la entrada no tengo problema, el mismo lo hice con:
iptables -A INPUT --protocol tcp --dport 1:2 -j ACCEPT

Pero para redireccionar los puertos quería ver si tienen alguna sugerencia
para hacerlo, ya que actualmente lo hago por medio de un ciclo.
#eth0 = red interna
#eth1 = conexion internet
#10.10.10.6 maquina destino dentro de la red
for i in `seq 1 2`;do
 iptables -t nat -A PREROUTING -p udp -i $eth1 --dport $i  -j  DNAT
--to-destination 10.10.10.6:$i
done


Mejor que alguien te lo confirme, pero creo que es, según he leido por ahí [1] :
iptables -t nat -A PREROUTING -p udp -i $eth1 --dport 1:2 -j
DNAT --to-destination 10.10.10.6

Saludos
[1] 
http://www.linuxquestions.org/questions/linux-networking-3/how-to-specify-a-port-range-for-dnat-449771/


  



--
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/4bd0c6dd.8080...@gmail.com



Re: [Solucionado] Re: Las X inicia y el teclado ni el mouse responde

2010-04-22 Thread Jorge Toro
El 21 de abril de 2010 15:39, Marcel Sanchez Gongora mrsanc...@uci.cuescribió:

 El mié, 21-04-2010 a las 08:30 -0400, Marcel Sanchez Gongora escribió:
  El mié, 21-04-2010 a las 01:45 +0200, Javier San Roman escribió:
   
   Falta algo al final. Éste es el correcto:
  
   Section ServerFlags
   Option AllowEmptyInput false
   EndSection
  
  Muchas gracias Javier, esta era la solución.
 
 Debo agregar que con esta opción que me recomendó Javier estaba teniendo
 problemas aún con algunas teclas que no funcionaban correctamente. Como
 Delete y las teclas de dirección izquierda, arriba y abajo. Este
 último detalle se soluciona agregando a la misma sección:

 Option   AutoAddDevices False


 --
 Ing. Marcel Sánchez Góngora
 Grupo de Gestión Documental y Archivística - UCI
 --
 ... I want FORTY-TWO TRYNEL FLOATATION SYSTEMS installed within SIX AND
 A HALF HOURS!!!


dpkg-reconfigure xserver-xorg


Re: [OFF TOPIC] Aunteticación Active directory W2k3 con SAMBA

2010-04-22 Thread Angel Claudio Alvarez
El jue, 22-04-2010 a las 10:27 -0500, Usuario escribió:
 Ya intente asi
 PGJ es el dominio y sistemas es el grupo
 valid users = p...@sistemas
 valid users = PGJ+sistemas
 
 Pero no me deja ingresar y me pide usuario y contraseña otra vez (el
 usuario lo pongo asi:PGJ\usuario  en winXP)
 
 Creo que ayduaria mucho poner el log pero no se donde esta.
 
 Hay un archivo que /var/log/samba/log.smbd que no dice gran cosa:
 
 
 [2010/04/22 10:18:20, 0] smbd/server.c:main(944)
 smbd version started.
 Copyright Andrew Tridgell and the Samba Team 1992-2008
 
 Pero la hora no corresponde cuando me niega el servicio.
 ¿Hay otro log que me pueda indicar cual es el problema?
 
tenes instalado winbind?? que dice el log?
 Saludos y gracias
 
 



-- 
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/1271978459.3367.15.ca...@gabita2.angel-alvarez.com.ar



Re: Gnome- Desktop- Saber cuando un archivo ha sido copiado a una carpeta concreta

2010-04-22 Thread Angel Claudio Alvarez
El jue, 22-04-2010 a las 22:27 +0200, Jesús Genicio escribió:
 Hola:
 
 Me gustaría poder ejecutar un script cada vez que un archivo de un tipo
 determinado es puesto en un directorio determinado, sin que el usuario
 tenga que hacer nada más que arrastrar dicho archivo con el ratón de una
 carpeta a otra.
 
 He mirado dbus pero la verdad me pierdo, y la opción de tener un mirón
 de continuo me parece fuera de lugar, ya que entiendo que existe ya una
 solución a este tema.
 
 ¿Conoceis algo para esto.?
fam

 
 S2.
 
 
 



-- 
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/1271978575.3367.16.ca...@gabita2.angel-alvarez.com.ar



OT.- JQuery

2010-04-22 Thread Carlos Agustín L . Avila
Perdón por el OT pero alguien conoce de algún plug-in de JQuery que me
permita poner una ventanita como la que aparece en la esquina inferior
derecha en facebook o algo similar.
Lo que estoy buscando es incluir una barra de mensajes que no se mueva
aunque el usuario recorra la pagina en sentido vertical.
Gracias.


Confirm Tratamiento Natural contra el Cáncer

2010-04-22 Thread lina reyes carmona
You have been invited to join lina susana alvarez carmona's email list(s). 
Click the link(s) to confirm your subscription:

Tratamiento Natural contra el Cáncer

Este es el tratamiento mas solicitado  para el caso de  pacientes con Cáncer

Uso de este Tratamiento 2 Cáncer

Ningún efecto secundario. Este tratamiento es para pacientes con cáncer

El Tratamiento esta indicado para todo tipo de Cáncer

 

De que consta el Tratamiento : 

 

El Tratamiento trae 10 frascos de cápsulas de corteza de neem ó nim y cada 
frasco contiene 90 cápsulas, además contiene  información adicional, y uso del 
mismo tratamiento,  consta de una dieta alimenticia complementaria , y elimina 
efectos secundarios de las quimioterapias  y radioterapias.

 

Costo del Tratamiento es de 1000 pesos ya incluye el envio.

y la Dieta del Paciente.

 

El neem elimina células anormales y protege las célula sanas, funciona como 
quimioterapia pero  de tipo natural sin efectos secundarios. Si está en 
tratamiento médico se debe 

consumir antes de él ó después de él para evitar y eliminar los efectos de las 
quimioterapias y radioterapias. 

 

Evita la caída del cabello, vómitos, náuseas y dolor estomacal. 

 

Elimina secreciones en pezones, mama y otras. 

 

Elimina las tumoraciones de mas de 5 centímetros . Previene la aparición 

de cáncer y metástasis. Esta indicado en todas las edades solo difiere en 
menores la dosis por edad y peso. 

 

No causa ningún efecto secundario dañino a la salud.

 

Solo no se indica en mujeres embarazadas o lactando por que causa espasmos.

Tratamiento en promoción es el cáncer  fase 4 avanzado (Todos los tipos de 
cáncer).

 

Que contiene el tratamiento?

10 frascos de cápsulas de neem corteza verde , 2 cremas de uso corporal de 250 
ml , 2 aceites para uso corporal . cd-rom con la dieta a utilizar en estos 
casos por el Centro de Cancerológica.

 

Las cremas y aceites como jabón liquido son para pacientes con cáncer de piel o 
hongos

 

El envió cuanto me cuesta y tiempo de entrega?

 

El costo de la mensajería es totalmente gratuita y el tiempo de entre 
dependiendo de la plaza o ciudad varia desde 48 a 24 hrs y la mensajería que 
usamos son varias: dhl , estafeta , multipack y aeroflash .

 

Como uso el tratamiento?

 

Cáncer

6 caps. Corteza neem diarias 5 meses 

 

Dosis: 2 desayuno , 2 comida y 2 cena , después de comidas

Nota: la posología esta basada en una persona adulta en caso de se un niño hay 
que consultar vía web o telefónica la dosis por el peso y edad así mismo el 
estado actual del paciente.

 

En caso de estar recibiendo quimioterapia o ir a recibir quimioterapia no se 
contrapone en lo absoluto se recomienda tomar 2 cápsulas antes de la 
quimioterapia y considerar estas dos como parte del tratamiento diario para así 
no salir abatido por las quimioterapia

 

Uso jabón, crema y aceite diario, en caso de problemas con la piel

Llama ya al  59051211 en el df y del interior al 018252380018 o al 
0181-82206785mty inicia tu tratamiento y empieza a pigmentarte

  

Todos nuestros tratamientos especifican su dosis y uso, también se le envía una 
dieta alimenticia que mejorara 100% su condición nutricional y sobre todo hará 
que el paciente vea cambios en corto tiempo recuerde la alimentación es básica 
en este padecimiento.

 

 

---

Agregamos los datos de forma de pedido pago y envió.

 

Forma de pedidos

Envíenos sus datos completos:

- Nombre completo

- Dirección de envio

- Teléfono

- Celular

- Email

- Pedido

- Forma de pago

- Envio ocurre o a domicilio

 


Mensajerías para enviarle:

Aeroflash

Multipack

Estafeta

Dhl

Senda express

 

---

Formato de pago

 

Banamex

cuenta: 5577857123

traspasos: 002580055778571237

titular: Lic. Nora Torres Sánchez

 

Bancomer

cuenta: 2674716701

traspasos: 012580026747167015

titular: Lic. Nora Torres Sánchez

 

Banorte

cuenta: 0616204173

traspasos: 072580006162041734

titular: Lic. Nora Torres Sánchez

 

Hsbc

cuenta: 6313024807

titular: Lic. Nora Torres Sánchez

-

 

Enviar su bauche por fax al 01 825 2380018

 

Renata Quiroga

Ventas Arbol del Neem México

Conmutador: 01 (55) 5905 1211

Tel  Monterrey: 01-81-82206785

Tel. Carretera Laredo : 01825-2380018

 

---

 

Este tratamiento ha demostrado se un gran auxiliar contra el cáncer de mama y 
cervicuterino,  así mismo se ha probado en pacientes con cáncer de páncreas , 
estomago y pulmón. En particular también hemos tenido muchos casos reportados 
de cáncer en el cerebro en pacientes muy jóvenes y de 

RE: consulta sobre redireccion de puertos en iptables

2010-04-22 Thread Carlos Valderrama
iptables -A PREROUTING -d ippublica -p udp -m udp --sport 1024: -m multiport
--dports 1:2 -j DNAT --to-destination 10.10.10.6 -t nat

si no has cerrado el Forward no pones ninguna regla en el forward pero si
has cerrado el forward entonces seria

iptables -A FORWARD -d 10.10.10.6 -p udp -m udp --sport 1024: -m multiport
--dports 1:2 -j ACCEPT

pero como yo soy un poco paranoico yo generalmente hago esto

for u in INPUT FORWARD OUTPUT; do iptables -A $u -m state --state
RELATED,ESTABLISHED -j ACCEPT; done
pongo las reglas que necesito y de ahi

for u in INPUT FORWARD OUTPUT; do iptables -P $u DROP; done

Saludos
Darkmull

-Mensaje original-
De: Jose Pablo Rojas Carranza [mailto:linux.t...@gmail.com] 
Enviado el: jueves, 22 de abril de 2010 03:50 p.m.
Para: Debian_User_Spanish
Asunto: consulta sobre redireccion de puertos en iptables

Hola gente,
tengo una consulta sobre redireccion de puertos con iptables,
sucede que tengo un server con la conexión de Internet y tengo que hacer 
la redirección de una gran cantidad de puertos hacia otro servidor.
Para aceptar la entrada no tengo problema, el mismo lo hice con:
iptables -A INPUT --protocol tcp --dport 1:2 -j ACCEPT

Pero para redireccionar los puertos quería ver si tienen alguna 
sugerencia para hacerlo, ya que actualmente lo hago por medio de un ciclo.
#eth0 = red interna
#eth1 = conexion internet
#10.10.10.6 maquina destino dentro de la red
for i in `seq 1 2`;do
   iptables -t nat -A PREROUTING -p udp -i $eth1 --dport $i  -j  DNAT 
--to-destination 10.10.10.6:$i
done

Pero solamente ejecutando este ciclo dura al rededor de 10 minutos,
ustedes conocen alguna mejor manera de hacer este proceso?
Gracias


-- 
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/4bd0b689.1060...@gmail.com


__ Información de ESET NOD32 Antivirus, versión de la base de firmas
de virus 5034 (20100416) __

ESET NOD32 Antivirus ha comprobado este mensaje.

http://www.eset.com


 

__ Información de ESET NOD32 Antivirus, versión de la base de firmas
de virus 5034 (20100416) __

ESET NOD32 Antivirus ha comprobado este mensaje.

http://www.eset.com
 
 

__ Información de ESET NOD32 Antivirus, versión de la base de firmas
de virus 5034 (20100416) __

ESET NOD32 Antivirus ha comprobado este mensaje.

http://www.eset.com
 


--
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/000c01cae2a1$24d8a3f0$6e89eb...@com



Cupon de descuento

2010-04-22 Thread lina reyes carmona
Cupon de descuento del 20% mas envio gratis.
en cualquiera de nuestros tratamientos 
dentro del sitio web hable ahora 
y solicite neem ya.

al 018252380018 o al 0181-82206785
This message was sent by: lina susana alvarez carmona, guerrero 164, monterrey 
y puebla, puebla 64750, Mexico

Email Marketing by iContact: http://freetrial.icontact.com

Manage your subscription:
http://app.icontact.com/icp/mmail-mprofile.pl?r=20041682l=14518s=NH12m=131627c=690019





-- 
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/abd09f9a3c43f42918f0359c4044f...@localhost.localdomain



Re: problema com DNS

2010-04-22 Thread José Figueiredo
Ola Rogerio

A internet funciona normalmente em todas as máquianas.
a rede esta ok via ifconfig tmb.

Fiz o teste com o wicd - o problema persiste.

arquivo /etc/resolv.conf igual nas duas máquinas 
domain casa.local
search casa.local
nameserver 192.168.0.1

* na maquina Debian somente texto:
ping dns.casa.local
resposta ok

* na maquina Debian com ambiente gráfico:
ping dns.casa.local
resposta: ping: unknow host dns.casa.local

* em cliente windows tudo funciona certo.

Não encontro nenhum log de erro ou registro de falha qualquer !



Em 21 de abril de 2010 23:23, Rogerio Luz Coelho
rogluz.n...@gmail.comescreveu:

 Em 21 de abril de 2010 22:04, José Figueiredo deb.gnuli...@gmail.com
 escreveu:
  Ola a todos
 
  Estou tendo um problema de resoluçao de nomes em maquinas baseadas em
 debian
  com ambiente grafico gnome (debian lenny e ubuntu 9.10).
 
  Configurei um Cache DNS usando BIND com uma zona interna. Testes com DIG
 e
  NSLOOKUP funcionam perfeitamente, navegaçao em sites externos tmb
 funciona.
 
  Clientes do DNS baseados em Windows funcionam perfeitamente para
 resolução
  de nomes da internet e a minha zona interna tmb. (inclusive ping)
 
  Mas clientes baseados em Debian com ambiente grafico gnome não resolvem
 os
  nomes dos hosts da minha rede interna. Não funciona ping nem navegação.
 Fiz
  um teste com um cliente sem ambiente gráfico e ai funcionou.

 Não funciona internet também? Sua placa aparece no ifconfig? Se usa
 Network-manager , instala o wicd e vê se funciona, se não o que dá de
 erro ?

 Rogerio


 
  Acredito ser alguma falha de configuração de meu cliente.
 
  Aguardo sugestões.
 
 
  --
  http://sites.google.com/site/debgnulinux/
  http://www.brasilsemaborto.com.br/
 




-- 
http://sites.google.com/site/debgnulinux/
http://www.brasilsemaborto.com.br/


Re: LTSP: Sugestão para estabelecimento de um servi dor

2010-04-22 Thread Nei Moreira
Em 22 de abril de 2010 10:32, Helio Loureiro he...@loureiro.eng.brescreveu:

   Resolvi experimentar o LTSP para ver se o período de formatação das
  máquinas por problemas de vírus paravam.
   Inicialmente, o efeito desejado foi atingido. Acabei formatando
  novamente, não por problemas de vírus, mas sim por corrompimento do
 sistema
  de arquivos ocasionado pelo mau desligamento.


 Corrompimento de fs é algo que não deveria acontecer, de forma alguma.
  Se estiverem com journalling, e mesmo assim continuar com problemas,
 troque o fs para EXT2 e modo síncrono.

 Outra alternativa é utlizar um disco compartilhado via drbd.

 --
 []´s
 Helio Loureiro


 Helio,

 A partição onde se deu o corrompimento foi a raiz do sistema /. Que
estava em reiserfs.
 O desligamento a que me referi estava sendo através do botão power.
 Experimentalmente, desabilitei o shutdown ou reboot para um usuário
comum, através do kdm, para evitar que alguém desligasse ou reiniciasse o
servidor acidentalmente enquanto algum outro usuário estivesse logado no
sistema. Isso também porque o servidor também estava sendo empregado como
estação de trabalho. Então, toda vez que alguém estivesse empregando o
servidor, tentasse desligar ou reiniciar a estação, aparecia uma janela para
inserção da senha de root para confirmação, exibindo, também, os usuários
logados no sistema. Quando era então calcado o botão power do gabinete
para um desligamento efetivo.
 Problema que foi surgindo como consequência, é que nem todos os
usuários sabiam da diferença do calque do detalhe do botão power, onde
para desligamento do sistema basta apenas um leve aperto de 1 seg de duração
e para desligamento abrupto, um calque de 5 seg.
 A configuração anterior durou em torno de 2 meses e meio até o momento
onde se deu o problema.
 Por isso, nesta nova implementação, pretendo usar os erros para
melhorar o sistema e empregar também as experiências e soluções que estou
encontrando através das dicas do pessoal e pesquisas pela Internet.
 A questão que levantou do disco compartilhado, não conhecia. Se você
tiver algum link para leitura sobre o assunto drbd, seria interessante.
 Abraço,

Nei Moreira


ldap kerberos

2010-04-22 Thread Anderson Bertling
Boa tarde


Debianos de plantão, estou criando um servidor ldap kerberos, para realizar
autenticação criei a base de dados ldap e conf o kerberos
mas retorna
[r...@kerberos etc]# kadmin -l
kadmin init TESTE.BR
Realm max ticket life [unlimited]:
Realm max renewable ticket life [unlimited]:
kadmin: create_random_entry(krbtgt/teste...@teste.br): randkey failed:
Principal does not exist
kadmin: create_random_entry(kadmin/chang...@teste.br): randkey failed:
Principal does not exist
kadmin: create_random_entry(kadmin/ad...@teste.br): randkey failed:
Principal does not exist
kadmin: create_random_entry(changepw/kerbe...@teste.br): randkey failed:
Principal does not exist
kadmin: create_random_entry(kadmin/hp...@teste.br): randkey failed:
Principal does not exist
kadmin: create_random_entry(WELLKNOWN/anonym...@teste.br): randkey failed:
Principal does not exist

Alguém já viu esse erro ? sabe como corrigir ?

Desde ja fico grato por qualquer ajuda



-- 
Att

Anderson Bertling


Re: problema com DNS

2010-04-22 Thread Rogerio Luz Coelho
Em 22 de abril de 2010 11:06, José Figueiredo deb.gnuli...@gmail.com escreveu:
 Ola Rogerio

 A internet funciona normalmente em todas as máquianas.
 a rede esta ok via ifconfig tmb.

 Fiz o teste com o wicd - o problema persiste.

 arquivo /etc/resolv.conf igual nas duas máquinas 
 domain casa.local
 search casa.local
 nameserver 192.168.0.1

 * na maquina Debian somente texto:
 ping dns.casa.local
 resposta ok

 * na maquina Debian com ambiente gráfico:
 ping dns.casa.local
 resposta: ping: unknow host dns.casa.local

 * em cliente windows tudo funciona certo.

 Não encontro nenhum log de erro ou registro de falha qualquer !

Falha de servidor X ?? Tente desintalar o xorg e reinstalar (não é
dpkg-reconfigure, é aptitude purge xorg?  aptitude install gnome)


Rogerio



  com ambiente grafico gnome (debian lenny e ubuntu 9.10).
 
  Configurei um Cache DNS usando BIND com uma zona interna. Testes com DIG
  e
  NSLOOKUP funcionam perfeitamente, navegaçao em sites externos tmb
  funciona.
 
  Clientes do DNS baseados em Windows funcionam perfeitamente para
  resolução
  de nomes da internet e a minha zona interna tmb. (inclusive ping)
 
  Mas clientes baseados em Debian com ambiente grafico gnome não resolvem
  os
  nomes dos hosts da minha rede interna. Não funciona ping nem navegação.
  Fiz
  um teste com um cliente sem ambiente gráfico e ai funcionou.

 Não funciona internet também? Sua placa aparece no ifconfig? Se usa
 Network-manager , instala o wicd e vê se funciona, se não o que dá de
 erro ?

 Rogerio


 
  Acredito ser alguma falha de configuração de meu cliente.
 
  Aguardo sugestões.
 
 
  --
  http://sites.google.com/site/debgnulinux/
  http://www.brasilsemaborto.com.br/
 



 --
 http://sites.google.com/site/debgnulinux/
 http://www.brasilsemaborto.com.br/



--
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/t2i917a57cb1004221341l6a01ec61r897fccbd4762c...@mail.gmail.com



Re: LTSP: Sugestão para estabelecimento de um servi dor

2010-04-22 Thread gustavo
Olha só, também já tive problema de corrompimento com ltsp e reiserfs! Mas
com o ext3 e ext4 tudo funcionou bem, sem corrompimento de dados. E pela
configuração do computador, imagino que nem de lxde você precise. Dá para
deixar kde/gnome mesmo.
Quanto a esse problema do shutdown, eu ja indiquei resposta aqui[1]
abs,
Gustavo
[1] http://www.mail-archive.com/ubuntu...@lists.ubuntu.com/msg64726.html

2010/4/22 Nei Moreira neivfmore...@gmail.com

 Em 22 de abril de 2010 10:32, Helio Loureiro he...@loureiro.eng.brescreveu:

   Resolvi experimentar o LTSP para ver se o período de formatação das
  máquinas por problemas de vírus paravam.
   Inicialmente, o efeito desejado foi atingido. Acabei formatando
  novamente, não por problemas de vírus, mas sim por corrompimento do
 sistema
  de arquivos ocasionado pelo mau desligamento.


 Corrompimento de fs é algo que não deveria acontecer, de forma alguma.
  Se estiverem com journalling, e mesmo assim continuar com problemas,
 troque o fs para EXT2 e modo síncrono.

 Outra alternativa é utlizar um disco compartilhado via drbd.

 --
 []´s
 Helio Loureiro


  Helio,

  A partição onde se deu o corrompimento foi a raiz do sistema /. Que
 estava em reiserfs.
  O desligamento a que me referi estava sendo através do botão power.
  Experimentalmente, desabilitei o shutdown ou reboot para um usuário
 comum, através do kdm, para evitar que alguém desligasse ou reiniciasse o
 servidor acidentalmente enquanto algum outro usuário estivesse logado no
 sistema. Isso também porque o servidor também estava sendo empregado como
 estação de trabalho. Então, toda vez que alguém estivesse empregando o
 servidor, tentasse desligar ou reiniciar a estação, aparecia uma janela para
 inserção da senha de root para confirmação, exibindo, também, os usuários
 logados no sistema. Quando era então calcado o botão power do gabinete
 para um desligamento efetivo.
  Problema que foi surgindo como consequência, é que nem todos os
 usuários sabiam da diferença do calque do detalhe do botão power, onde
 para desligamento do sistema basta apenas um leve aperto de 1 seg de duração
 e para desligamento abrupto, um calque de 5 seg.
  A configuração anterior durou em torno de 2 meses e meio até o momento
 onde se deu o problema.
  Por isso, nesta nova implementação, pretendo usar os erros para
 melhorar o sistema e empregar também as experiências e soluções que estou
 encontrando através das dicas do pessoal e pesquisas pela Internet.
  A questão que levantou do disco compartilhado, não conhecia. Se você
 tiver algum link para leitura sobre o assunto drbd, seria interessante.
  Abraço,

 Nei Moreira



Re: [SOLVED] Debian-multimedia breaks mplayer .mov playback on Lenny?

2010-04-22 Thread Florian Kulzer
On Thu, Apr 22, 2010 at 00:57:49 +0200, Clive McBarton wrote:
 Florian Kulzer wrote:
  On Tue, Apr 20, 2010 at 07:08:23 -0500, John Hasler wrote:
  Clive McBarton writes:
  The debian-multimedia-keyring is not restricted by patents or any
  other licence issues. I understand why the other d-m packages are not
  in debian, but the keyring (and just the keyring) should be in debian.
  Debian-multimedia is not part of Debian,
  
  The archive signing key of debian-multimedia is nevertheless in Debian
  already: Christian Marillat uses his developer key to sign his Release
  files, so anyone who cares about security can take this key from the
  (authenticated) debian-keyring package and feed it to apt-key before
  installing any packages from debian-multimedia.
  
 
 Great! Thanks! Just what I was looking for.
 
 What would be the simplest command to achieve this key extraction and
 insertion? In my case, his key is already on my keyring, so I have some
 difficulty testing any command that I'd think up myself.

See here:
http://lists.debian.org/debian-user/2006/11/msg03224.html

You cannot use this method for other unofficial archives, but often you
can at least verify a developer's signature on the archive key that you
had to download from the web. Here is an example:
http://lists.debian.org/debian-user/2008/04/msg02428.html

Ideally the verification should take place before the key is added to
the keyring of apt, of course.

-- 
Regards,|
  Florian   |


-- 
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/20100422063332.ga24...@bavaria.univ-lyon1.fr



ADVLooking for a job? Find one at JobsCentral

2010-04-22 Thread JobsCentral
Sorry you need a HTML email client to view this message.

Please visit 
http://edm.jobscentral.com.sg/100422_JCMYjs/index.php?jid=1670qid=55357650 to 
view this message on your browser.

Will AMD64 Install on my PC???

2010-04-22 Thread Frank Charles Gallacher
1. Here is my cpuinfo:

r...@ni:/home/franx# cat /proc/cpuinfo 
processor   : 0
vendor_id   : GenuineIntel
cpu family  : 6
model   : 15
model name  : Intel(R) Core(TM)2 Duo CPU E6550  @ 2.33GHz
stepping: 11
cpu MHz : 1998.000
cache size  : 4096 KB
physical id : 0
siblings: 2
core id : 0
cpu cores   : 2
apicid  : 0
initial apicid  : 0
fdiv_bug: no
hlt_bug : no
f00f_bug: no
coma_bug: no
fpu : yes
fpu_exception   : yes
cpuid level : 10
wp  : yes
flags   : fpu vme de pse tsc msr pae mce cx8 apic sep mtrr pge mca cmov
pat pse36 clflush dts acpi mmx fxsr sse sse2 ss ht tm pbe nx lm
constant_tsc arch_perfmon pebs bts pni monitor ds_cpl vmx smx est tm2
ssse3 cx16 xtpr lahf_lm
bogomips: 4664.29
clflush size: 64
power management:

processor   : 1
vendor_id   : GenuineIntel
cpu family  : 6
model   : 15
model name  : Intel(R) Core(TM)2 Duo CPU E6550  @ 2.33GHz
stepping: 11
cpu MHz : 1998.000
cache size  : 4096 KB
physical id : 0
siblings: 2
core id : 1
cpu cores   : 2
apicid  : 1
initial apicid  : 1
fdiv_bug: no
hlt_bug : no
f00f_bug: no
coma_bug: no
fpu : yes
fpu_exception   : yes
cpuid level : 10
wp  : yes
flags   : fpu vme de pse tsc msr pae mce cx8 apic sep mtrr pge mca cmov
pat pse36 clflush dts acpi mmx fxsr sse sse2 ss ht tm pbe nx lm
constant_tsc arch_perfmon pebs bts pni monitor ds_cpl vmx smx est tm2
ssse3 cx16 xtpr lahf_lm
bogomips: 4660.87
clflush size: 64
power management:

2. It looks like AMD64 will run; if I burn an AMD64 Install CD-ROM
and try to boot it on a 32-bit processor, do I get a
Don't be a smartarse type error message, or does it crash???

TIA, fcG.


-- 
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/1271922217.3108.7.ca...@ni.bigpond



Re: Will AMD64 Install on my PC???

2010-04-22 Thread Camaleón
On Thu, 22 Apr 2010 17:43:37 +1000, Frank Charles Gallacher wrote:

 1. Here is my cpuinfo:
 
 r...@ni:/home/franx# cat /proc/cpuinfo processor  : 0

(...)

 pat pse36 clflush dts acpi mmx fxsr sse sse2 ss ht tm pbe nx lm
   ^^

Yes, amd64 kernel will run fine.

 2. It looks like AMD64 will run; if I burn an AMD64 Install CD-ROM and
 try to boot it on a 32-bit processor, do I get a Don't be a smartarse
 type error message, or does it crash???

You will get a warning message, yes, but that's all :-)

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/pan.2010.04.22.07.50...@gmail.com



Re: ADVLooking for a job? Find one at JobsCentral

2010-04-22 Thread Nick Douma
On Thu, Apr 22, 2010 at 03:05:15AM -0400, JobsCentral wrote:
 Sorry you need a HTML email client to view this message.
 
 Please visit 
 http://edm.jobscentral.com.sg/100422_JCMYjs/index.php?jid=1670qid=55357650 
 to view this message on your browser.

Lol, this is precisely why I use mutt to read my mail :P.


signature.asc
Description: Digital signature


Moving to Debian: updated software

2010-04-22 Thread Dotan Cohen
I am looking for KDE 4.4.2 and Open Office 3.2 packages for Lenny. I
have found qt-kde.debian, Debian Experimental, Testing, Unstable, and
Backports. It looks to me that Backports is the best for an everyday
user who values stability, and prefers to use released software
version. Please let me know where I am mistaken. Thanks.

-- 
Dotan Cohen

http://bido.com
http://what-is-what.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/y2w880dece01004220154jad02ab44yf643598b56a6b...@mail.gmail.com



ldap help ?

2010-04-22 Thread abdelkader belahcene
Hi,
I installed  sldap  2.4.18  on server  debian squeeze (here 172.19.6.150)
when Iuse the command
ldapsearch -xLLL -b dc=example,dc=com uid=john sn givenName cn
dn: uid=john,ou=people,dc=example,dc=com
sn: Doe
givenName: John
cn: John Doe

I get correct answer

I tried to do it from a remote machine  where ( ubuntu 9.10 )   (IP
172.19.6.50)
I installed package for authentication in this client machine

*libnss-ldap
ldap-auth-config
I ran pam-auth-update *

everything seemed  correct  like it is decalred in the document

*http://doc.ubuntu.com/ubuntu/serverguide/C/openldap-server.html*

I used ubuntu doc, because I have install 2.4.18 ( not present  yet on
squeeze),
on some machine it running  correctly, on other not!!!??


I got the error : ( it is running on another machine : 172.19.6.50 )

ldapsearch -xLLL -b  -H ldap://172.19.6.150  dc=example,dc=com
uid=john sn givenName cn

*ldap_sasl_bind(SIMPLE): Can't contact LDAP server (-1)*

in the same way , the authentication is not done ( john is created in
ldap server)

su - john
identifier unknown  : john


I can do same from another machine running debian lenny. very strange
I install same packages, that what I believe

any idea
thanks a lot


Re: Moving to Debian: updated software

2010-04-22 Thread Liam O'Toole
On 2010-04-22, Dotan Cohen dotanco...@gmail.com wrote:
 I am looking for KDE 4.4.2 and Open Office 3.2 packages for Lenny. I
 have found qt-kde.debian, Debian Experimental, Testing, Unstable, and
 Backports. It looks to me that Backports is the best for an everyday
 user who values stability, and prefers to use released software
 version. Please let me know where I am mistaken. Thanks.


I recommend debian-backports for users of stable who like to cherry-pick
later versions of software without too much hassle. OOo 3.2 is available
in debian-backports, but not KDE4. The debian KDE maintainers used to
offer KDE4 backports for lenny, but they were discontinued early on in
the KDE4 series.

-- 
Liam O'Toole
Birmingham, United Kingdom



-- 
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/slrnht05h3.bu7.liam.p.oto...@dipsy.selfip.org



Re: Moving to Debian: updated software

2010-04-22 Thread Dotan Cohen
On 22 April 2010 12:25, Liam O'Toole liam.p.oto...@gmail.com wrote:
 On 2010-04-22, Dotan Cohen dotanco...@gmail.com wrote:
 I am looking for KDE 4.4.2 and Open Office 3.2 packages for Lenny. I
 have found qt-kde.debian, Debian Experimental, Testing, Unstable, and
 Backports. It looks to me that Backports is the best for an everyday
 user who values stability, and prefers to use released software
 version. Please let me know where I am mistaken. Thanks.


 I recommend debian-backports for users of stable who like to cherry-pick
 later versions of software without too much hassle. OOo 3.2 is available
 in debian-backports, but not KDE4. The debian KDE maintainers used to
 offer KDE4 backports for lenny, but they were discontinued early on in
 the KDE4 series.


Thank you, Liam. That is why I was unable to find the KDE packages. I
thought that I may have been searching on the wrong terms, i.e. the
package is not called kde or kde-desktop.

From where to acquire KDE 4.4.2 in a reasonably safe manner?

Thanks!

-- 
Dotan Cohen

http://bido.com
http://what-is-what.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/q2z880dece01004220251ue268208fmebc004c5e1867...@mail.gmail.com



Re: Moving to Debian: updated software

2010-04-22 Thread Liam O'Toole
On 2010-04-22, Dotan Cohen dotanco...@gmail.com wrote:
---SNIP---
From where to acquire KDE 4.4.2 in a reasonably safe manner?

I don't know of any backported binaries, so you would have to compile it
yourself. That, however, would be a major undertaking, and presupposes
that the latest KDE4 even compiles against the versions of the various
libraries included in lenny.

An alternative is to upgrade to testing/unstable, but then you would no
longer have the uncomplicated life of a lenny user :-)

Or you could wait for the next stable release, or at least for the
freeze announcement.

-- 
Liam O'Toole
Birmingham, United Kingdom



-- 
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/slrnht0bcs.bu7.liam.p.oto...@dipsy.selfip.org



Re: dash-as-bin-sh

2010-04-22 Thread Vincent Lefevre
On 2010-04-20 11:37:31 -0400, Wes Garland wrote:
  Bash is still an essential package last I checked.  You might simply use
  /bin/bash and whatever bash-isms you like.
 
 That would work pretty much everywhere except bone-stock Solaris,
 where I have no possibility of recovery -- /bin/bash: bad
 interpreter: No such file or directory.

That wouldn't even work everywhere under Linux. For instance, bash
isn't installed by default on Maemo.

 I suppose my other alternative is roughly  [ -x /bin/bash ]  /bin/bash $0
 $*  exit $?, and assume that everywhere-but-solaris has /bin/bash. Hmm.

[ -x /bin/bash ]  exec /bin/bash -- $0 ${1+$@}

But you also need to detect whether you are not running bash via
this line, otherwise you'll get an infinite loop. I think this can
be done with an environment variable, something like:

  [ $RUNNING_BASH = yes ] || [ -x /bin/bash ]  \
exec env RUNNING_BASH=yes /bin/bash -- $0 ${1+$@}

(not tested). You can also test features, like in:

  ( [[ -n 1  -n 2 ]] ) 2 /dev/null || exec bash -- $0 ${1+$@}

 If debian keeps bash around as a default package, even when
 dash-is-bin-sh, then I guess I'm in fairly safe territory in that
 regard.

It would probably remain as a default package, but I don't see why
it should remain as essential in the long term.

-- 
Vincent Lefèvre vinc...@vinc17.net - Web: http://www.vinc17.net/
100% accessible validated (X)HTML - Blog: http://www.vinc17.net/blog/
Work: CR INRIA - computer arithmetic / Arénaire project (LIP, ENS-Lyon)


-- 
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/20100422105156.ga7...@prunille.vinc17.org



Re: Epiphany browser continues to get worse and worse

2010-04-22 Thread Vincent Lefevre
On 2010-04-19 21:47:45 -0500, Mark Allums wrote:
 Webkit 2.0 is imminent.  Perhaps they are considering moving to it.
 According to various sources, it is the bee's knees.

Webkit-gtk is broken. https://bugs.webkit.org/show_bug.cgi?id=34063

I haven't heard that this bug would be fixed in webkit 2.0.

-- 
Vincent Lefèvre vinc...@vinc17.net - Web: http://www.vinc17.net/
100% accessible validated (X)HTML - Blog: http://www.vinc17.net/blog/
Work: CR INRIA - computer arithmetic / Arénaire project (LIP, ENS-Lyon)


-- 
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/20100422110341.gb7...@prunille.vinc17.org



Re: Epiphany browser continues to get worse and worse

2010-04-22 Thread Vincent Lefevre
On 2010-04-21 15:43:51 -0400, Andrew Malcolmson wrote:
 To the OP: to workaround the save file bug you're getting, you could
 right click on the file, do 'copy link address', then on the command
 line hit Shift+Insert to paste the URL as the argument to wget.  I do
 all my file downloads that way.

What about those that require authentication?

-- 
Vincent Lefèvre vinc...@vinc17.net - Web: http://www.vinc17.net/
100% accessible validated (X)HTML - Blog: http://www.vinc17.net/blog/
Work: CR INRIA - computer arithmetic / Arénaire project (LIP, ENS-Lyon)


-- 
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/20100422110529.gc7...@prunille.vinc17.org



Re: Moving to Debian: updated software

2010-04-22 Thread Dotan Cohen
 I don't know of any backported binaries, so you would have to compile it
 yourself. That, however, would be a major undertaking, and presupposes
 that the latest KDE4 even compiles against the versions of the various
 libraries included in lenny.


Yes, compiling KDE is not a hassle that I want to take.


 An alternative is to upgrade to testing/unstable, but then you would no
 longer have the uncomplicated life of a lenny user :-)


Exactly, I need a stable distro.


 Or you could wait for the next stable release, or at least for the
 freeze announcement.


That is not really an option, as I want the _latest_ KDE, not simply
4.4. I contribute to KDE and it is important for me to be on the
latest version. I cannot be on a distro that is perpetually a few
point releases behind.

Thanks, Liam! I am still weighing my options, including Debian-based
distros that may be more up to date. I am currently on Kubuntu, but
the 10.04 release is simply terrible and I'm looking for a new distro.
Suse would be my next choice, but I prefer Debian-based.


-- 
Dotan Cohen

http://bido.com
http://what-is-what.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/j2z880dece01004220451xec73c069j4c828e150081d...@mail.gmail.com



Suspend to Disk + blacklisted module = still trouble

2010-04-22 Thread Felix Natter
hello,

I am having problems with the uvcvideo module (driver for webcam)
when resuming from Suspend To Disk on Debian Lenny (with the latest
updates) with a 2.6.30 kernel.

When I wanted to blacklist this module for suspend, I noticed that
it is already in /etc/hibernate/blacklisted-modules.

My hibernate.conf:
TryMethod suspend2.conf
TryMethod disk.conf
TryMethod ram.conf

= so I guess I am using SWSuspend2, and suspend2.conf contains
the line:
Include common.conf

And common.conf contains this:
UnloadBlacklistedModules yes

So does this command cause hibernate to read
/etc/hibernate/blacklisted-modules, or do I have to add
UnloadModules uvcvideo
?

Thanks in advance,
-- 
Felix Natter


-- 
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/87d3xrd8hu@smail.inf.fh-brs.de



Re: Moving to Debian: updated software

2010-04-22 Thread Liam O'Toole
On 2010-04-22, Dotan Cohen dotanco...@gmail.com wrote:
 I don't know of any backported binaries, so you would have to compile it
 yourself. That, however, would be a major undertaking, and presupposes
 that the latest KDE4 even compiles against the versions of the various
 libraries included in lenny.


 Yes, compiling KDE is not a hassle that I want to take.


 An alternative is to upgrade to testing/unstable, but then you would no
 longer have the uncomplicated life of a lenny user :-)


 Exactly, I need a stable distro.


 Or you could wait for the next stable release, or at least for the
 freeze announcement.


 That is not really an option, as I want the _latest_ KDE, not simply
 4.4. I contribute to KDE and it is important for me to be on the
 latest version. I cannot be on a distro that is perpetually a few
 point releases behind.

Unfortunately, the goals of always having the latest KDE and a stable distro
are not compatible.


 Thanks, Liam! I am still weighing my options, including Debian-based
 distros that may be more up to date. I am currently on Kubuntu, but
 the 10.04 release is simply terrible and I'm looking for a new distro.
 Suse would be my next choice, but I prefer Debian-based.


Another thing you could consider: run testing/unstable in a virtual
machine or a chroot on your lenny system. Beware, though, that even in
unstable the upload of major packages can be delayed.

Have you asked other KDE contributors about their setups?

-- 
Liam O'Toole
Birmingham, United Kingdom



-- 
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/slrnht0gta.bu7.liam.p.oto...@dipsy.selfip.org



Re: Cannot Connect to Debian BTS

2010-04-22 Thread David Baron
On Tuesday 20 April 2010 16:04:39 David Baron wrote:
 On Sunday 18 April 2010 21:13:18 David Baron wrote:
  On Sunday 18 April 2010 15:58:19 Aioanei Rares wrote:
   On 04/18/2010 03:32 PM, David Baron wrote:
Neither normal reportbug or the reportbug-ng can connect to debian
bts right now.

Is there something wrong there?
Some recent Sid upgrade zapped access?

Cannot really keep system up-to-date without access to debian bts.

If I attempt to access a bug report in a browser by :
http://bugs.debian.org/cgi-bin/bugreport.cgi?bug=577796, for example,
this will also fail. The bug is there. I filed it.

So what could be preventing me from accessing BTS?
   
   Works here as well.
  
  Could there be some internal URL that a firewall or internet site filter
  might be balking at that could then disable the search results?
 
 This problem HAS been reported elsewhere and with similar response, i.e.
 works OK here!'
 
 Apparently this is geographic, maybe a  timeout due to routing.
 
 So what can be done?

Or ... is it a time-in problem? The only change I made when I started getting 
this problem is going from a 4M to a 10M ADSL!


-- 
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/201004221535.21602.d_ba...@012.net.il



Re: The future of nv driver (was: Linux compatible mainboards -another thought)

2010-04-22 Thread Stephen Powell
On Wed, 21 Apr 2010 17:36:27 -0400 (EDT), Camaleón wrote:
 
 Let me copy/paste from the official announcemnet¹:
 
 ***
 (...) For this reason, NVIDIA is dropping support, on new GPUs, for the
 xf86-video-nv driver.
 
 Details:
 
 - NVIDIA will continue to support the existing functionality and
 existing level of acceleration in the nv driver for existing GPUs,
 on existing, and (within reason) future, X server versions.
 
 - NVIDIA will not support the xf86-video-nv driver on Fermi or
 later GPUs.
 
 - NVIDIA will not support DisplayPort, on any GPU, in the
 xf86-video-nv driver.
 ***

 ¹ http://lists.freedesktop.org/archives/xorg/2010-March/049749.html

I am disappointed to hear of Nvidia's increasing hostility to
open source video drivers.  It's one thing to withhold source code
for 3D graphics accelerated drivers.  It's another thing to not
support an open source driver at all.  The VESA driver is not adequate
for many users.  If I recall correctly, the VESA driver only makes
use of video graphics modes supported by the video BIOS.  These video
modes often cannot exploit the maximum video resolution available on
many modern LCD displays.

I shall now avoid, when possible, computers with Nvidia graphics cards.

-- 
  .''`. Stephen Powell
 : :'  :
 `. `'`
   `-


--
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/470756615.230941.1271944177380.javamail.r...@md01.wow.synacor.com



Re: [OT] Birthday Gear (was Re: Epiphany browser continues to get worse and

2010-04-22 Thread Stephen Powell
On Wed, 21 Apr 2010 14:22:54 -0400 (EDT), Freeman wrote:
 On Tue, Apr 20, 2010 at 10:11:46AM -0400, Stephen Powell wrote:
 ...
 I got a new laptop for my birthday a few days ago.
 ...

 O. 
 
 But you don't say what kind of birthday equipment you received or what you
 installed/are planning on installing!!  :-(

When I said a new laptop, I meant new to me.  It's not new in the
retail sense: it's a newer used laptop.  It's an IBM ThinkPad X31.  I haven't
had a chance to use it yet, but according to my brother, it has a 40G hard
drive and 1G of RAM.  The other stats I don't know yet.

It currently has some version of Windows on it, probably XP.  But it won't
for long.  I'm going to install Debian on it, of course.  Probably Squeeze.

-- 
  .''`. Stephen Powell
 : :'  :
 `. `'`
   `-


-- 
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/1951648586.231492.1271945097991.javamail.r...@md01.wow.synacor.com



Re: [OT] Birthday Gear (was Re: Epiphany browser continues to get worse and

2010-04-22 Thread Glenn English

On Apr 22, 2010, at 8:04 AM, Stephen Powell wrote:

 It currently has some version of Windows on it, probably XP.  But it won't
 for long.  I'm going to install Debian on it, of course.  Probably Squeeze.

Oh dear! It has Microsoft bits in it. Better run it through an autoclave first 
:-)

-- 
Glenn English
g...@slsware.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/4614606e-d9a0-4a08-b0b4-5fb823283...@slsware.com



SMTP-Error 451 while using smarthost for mail delivery

2010-04-22 Thread b1
Hello alltogether

Currently I am trying to set up a Debian Lenny Server, but I am stuck at
mail delivery. The server I am trying to set up, has no FQDN, so I used
my ISP-Mailserver as a smarthost (I enabled the proper SMTP
authentication in exim4).
This setup worked a few days, before I suddenly received 451 errors.
At first I thought it to be a problem with Exim4, so I switched to
postfix. But postfix also gives me the 451 error:

Apr 22 15:53:31 openshoolproxy postfix/smtp[24368]: 413CF26EF9:
to=webserv...@b1online.de, orig_to=r...@openshoolproxy,
relay=smtp.strato.com[81.169.145.132]:25, delay=2137,
delays=2136/0.05/0.33/0.12, dsn=4.0.0, status=deferred (host
smtp.strato.com[81.169.145.132] said: 451 Local Error (in reply to end
of DATA command))

To further troubleshoot my problem I used telnet to connect to
smtp.strato.com and to send a mail manually.

This is what I did:

telnet smtp.strato.de 25
Trying 81.169.145.133...
Connected to smtp.strato.de.
Escape character is '^]'.
220 smtp.passthru
EHLO openshoolproxy
250-smtp.passthru
250-ENHANCEDSTATUSCODES
250-8BITMIME
250-DELIVERBY
250-SIZE 104857600
250-AUTH PLAIN LOGIN CRAM-MD5
250 HELP
AUTH LOGIN
334 VXNlcm5hbWU6
d2Vic2VydmljZUBiMW9ubGluZS5kZQ==
334 UGFzc3dvcmQ6
MYPASSWORD_IN_BASE64
235 2.0.0 OK Authenticated
mail from: webserv...@b1online.de
250 2.1.0 webserv...@b1online.de Sender ok
rcpt to: bened...@b1online.de
250 2.1.5 bened...@b1online.de Recipient ok
DATA
354 Start mail input; end with CRLF.CRLF
test
.
451 Local Error




Very odd. After this fail I tried the same procedure from my arch linux
box at home. It succeeded:




telnet smtp.strato.com 25
Trying 81.169.145.132...
Connected to smtp.strato.com.
Escape character is '^]'.
220 post.strato.de [fruni mo3] ESMTP RZmta 23.0 ready; Thu, 22 Apr 2010
15:55:55 +0200 (MEST)
EHLO openshoolproxy
250-post.strato.de [fruni mo3] greets 79.230.91.82
250-ENHANCEDSTATUSCODES
250-8BITMIME
250-PIPELINING
250-DELIVERBY
250-SIZE 104857600
250-AUTH PLAIN LOGIN CRAM-MD5
250-STARTTLS
250 HELP
AUTH LOGIN
334 VXNlcm5hbWU6
d2Vic2VydmljZUBiMW9ubGluZS5kZQ==
334 UGFzc3dvcmQ6
MYPASSWORD_IN_BASE64
235 2.0.0 OK Authenticated
mail from: webserv...@b1online.de
250 2.1.0 webserv...@b1online.de Sender ok
rcpt to: bened...@b1online.de
250 2.1.5 bened...@b1online.de Recipient ok
DATA
354 Enter data for mail with id g0718am3MD7AJw
test mich
.
250 queued as g0718am3MD7AJw


This looks very strange to me. Independently from my mailserver the
telnet command should have succeeded on both machines. But it failed on
my debian box. What could be wrong? Is this a problem of my setup, or is
my ISP blocking something?

Thanks in advance

Benedikt




-- 
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/1271946001.11753.18.ca...@localhost.localdomain



Re: SMTP-Error 451 while using smarthost for mail delivery

2010-04-22 Thread Sjoerd Hardeman

b1 schreef:

This looks very strange to me. Independently from my mailserver the
telnet command should have succeeded on both machines. But it failed on
my debian box. What could be wrong? Is this a problem of my setup, or is
my ISP blocking something?
Did you try your Debian machine again? It might be a temporary problem 
which was solved during your trip home to try it on the other computer.


Sjoerd



signature.asc
Description: OpenPGP digital signature


Re: Moving to Debian: updated software

2010-04-22 Thread Dotan Cohen
 Unfortunately, the goals of always having the latest KDE and a stable distro
 are not compatible.


Not necessarily. KDE has a regular release schedule, with a point
release about once a month. I would consider a distro that included
the latest point releases stable in the sense of no (or few) beta
software.


 Another thing you could consider: run testing/unstable in a virtual
 machine or a chroot on your lenny system. Beware, though, that even in
 unstable the upload of major packages can be delayed.


I have tested KDE in a VM in the past, it doesn't work out. I need to
use it for everyday work.


 Have you asked other KDE contributors about their setups?


Yes, there is a lot of favour towards Mandriva and Suse. Kubuntu with
Project Timelord is also being mentioned. If I jump ship from a Debian
based distro, it will likely be to Suse.


-- 
Dotan Cohen

http://bido.com
http://what-is-what.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/v2s880dece01004220726je1940918k364dbc3818b97...@mail.gmail.com



Re: Hash Sum mismatch

2010-04-22 Thread Martin
On Wed, Apr 21, 2010 at 05:34:49PM +, Camaleón wrote:
 On Wed, 21 Apr 2010 15:27:59 +0200, Martin wrote:
 
  When I tryed to install simutrans game with aptitude I got this error
  and was not able to install it:
 
 (...)
 
  I have original DVDs. Content of /cdrom/.disk/info is: Debian GNU/Linux
  5.0.4 Lenny - Official i386 DVD Binary-3 20100131-19:16
  
  Any idea why this is so?
 
 Did you check the MD5SUM of the downloaded ISO before burning the image 
 in a DVD? :-?

Oh, my ... was I happy boy ... until now :)
No, I did not :(
So I downloaded MD5SUMS file from internet, Its content is:
202b8e90d52b7eb3ed7294211f5aadfe  debian-504-i386-DVD-1.iso
ad134f6556f8b79d39508a844ff59925  debian-504-i386-DVD-2.iso
45b9ad2bfaa20547f23471829e2f7d7e  debian-504-i386-DVD-3.iso
b46ee70c83e4e02107e4a5c271927459  debian-504-i386-DVD-4.iso
ca1ec6584d9e5df2df958ce5d647fb91  debian-504-i386-DVD-5.iso
4b07df455905e47f2db772b3715f46ca  debian-update-5.0.4-i386-DVD-1.iso

After that I was inserting my DVDs in oredr 1-5 without mounting it
and issued command 'md5sum /dev/hdc' which produced this output
(one line for each DVD in turn):

md5sum: /dev/hdc: Input/output error
d6dd905d890c6f94e164f2b6c027c8a4  /dev/hdc
1b662e97035cce34e1e9fa42223cdfc5  /dev/hdc
6e0279dcd3dc5ff0dcf6e6188f6df2b3  /dev/hdc
15462fa19c0c49f517c66fb76e6ce109  /dev/hdc

Therefore DVD 1 seems to be seriously damaged (thou I had not any
problems with it when installing any program - yet), and DVD 2-4 have
different checksums, but I am not sure if this is proper way to check
DVDs now when they are already burned on disc.

Then I inserted DVD 3, mounted it and run 'cd /cdrom; md5sum -c md5sum.txt'
It printed one line per package and concluded with:

md5sum: WARNING: 167 of 4996 computed checksums did NOT match

I did the same for DVD 2,4 and 5 but in now md5sum did not find any
package with bad checksum! All lines are like this:

./pool/main/z/zvbi/zvbi_0.2.30-1_i386.deb: OK
./pool/main/z/zzuf/zzuf_0.12-1_i386.deb: OK

while with DVD 3 there were 167 lines like this:

./pool/main/a/asc/asc-data_2.1.0.0-1_all.deb: FAILED
./pool/main/b/balazar/balazar_0.3.4.ds1-3_all.deb: FAILED
./pool/main/h/hgsvn/hgsvn_0.1.6-2_all.deb: FAILED
./pool/main/s/simutrans/simutrans-data_100.0+ds1-4_all.deb: FAILED

I guess I am doing something wrong as one method showed that DVDs 2,4,5
are bad while other test passed OK. At least I do know that
packages I was trying to install from DVD 3 are bad.

Thank you.
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/20100422145935.gb2...@alfa



Re: Moving to Debian: updated software

2010-04-22 Thread Liam O'Toole
On 2010-04-22, Dotan Cohen dotanco...@gmail.com wrote:
 Have you asked other KDE contributors about their setups?


 Yes, there is a lot of favour towards Mandriva and Suse. Kubuntu with
 Project Timelord is also being mentioned. If I jump ship from a Debian
 based distro, it will likely be to Suse.

Yes, you are likely to have a more contemporary KDE experience with
opensuse, and are more likely to find backported packages when you need
them.

-- 
Liam O'Toole
Birmingham, United Kingdom



-- 
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/slrnht0p7r.bu7.liam.p.oto...@dipsy.selfip.org



Re: Moving to Debian: updated software

2010-04-22 Thread Camaleón
On Thu, 22 Apr 2010 17:26:07 +0300, Dotan Cohen wrote:

 Unfortunately, the goals of always having the latest KDE and a stable
 distro are not compatible.


 Not necessarily. KDE has a regular release schedule, with a point
 release about once a month. I would consider a distro that included the
 latest point releases stable in the sense of no (or few) beta software.

It's hard for distributions to include the latest KDE SC available *and* 
deliver it as stable. Rolling distros (such Arch Linux), which are 
always up-to-date, may fit better into this schema.

(...)
 
 Have you asked other KDE contributors about their setups?


 Yes, there is a lot of favour towards Mandriva and Suse. Kubuntu with
 Project Timelord is also being mentioned. If I jump ship from a Debian
 based distro, it will likely be to Suse.

+1 for openSUSE :-)

But remember that openSUSE 11.2 is still including kde 4.3.5 under their 
stable KDE repo. KDESC 4.4 is available under factory/testing repo.

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/pan.2010.04.22.15.07...@gmail.com



Re: Moving to Debian: updated software

2010-04-22 Thread Dotan Cohen
 It's hard for distributions to include the latest KDE SC available *and*
 deliver it as stable. Rolling distros (such Arch Linux), which are
 always up-to-date, may fit better into this schema.


That is where a third-party repo would come in, such as Backports.
Kubuntu, for all it's flaws, does this quite well. I understand that
so does Suse.


 +1 for openSUSE :-)

 But remember that openSUSE 11.2 is still including kde 4.3.5 under their
 stable KDE repo. KDESC 4.4 is available under factory/testing repo.


Thanks.

-- 
Dotan Cohen

http://bido.com
http://what-is-what.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/g2n880dece01004220813kf0b39546sb60cb9e868491...@mail.gmail.com



Re: USB device attached via RS232 adaptor

2010-04-22 Thread Dotan Cohen
 Indeed.  Sounds to me as though Dotan's neighbour isn't all that tech
 savvie.


He's not, he's calling _me_ for support! Actually, he is very
knowledgeable in his field, but this is not his field.

It turns out to be a mess of parts. There is the USB card reader that
I mentioned earlier, and also a serial usb reader with no
documentation or numbers to google. I took a picture of it with my
camera phone, I will post a link shortly.

-- 
Dotan Cohen

http://bido.com
http://what-is-what.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/i2s880dece01004220817pda7fdce6u2eb60f1e1f6d9...@mail.gmail.com



Re: SMTP-Error 451 while using smarthost for mail delivery

2010-04-22 Thread b1
Hi Sjoerd

Thank you for your answer.
I just logged onto the Debian machine (per ssh) and tried it again.
Unfortunately it failed again. As before it gave the 451 Local Error.


On Thu, 2010-04-22 at 16:24 +0200, Sjoerd Hardeman wrote:
 b1 schreef:
  This looks very strange to me. Independently from my mailserver the
  telnet command should have succeeded on both machines. But it failed on
  my debian box. What could be wrong? Is this a problem of my setup, or is
  my ISP blocking something?
 Did you try your Debian machine again? It might be a temporary problem 
 which was solved during your trip home to try it on the other computer.
 
 Sjoerd
 



-- 
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/1271950330.11753.22.ca...@localhost.localdomain



Re: Moving to Debian: updated software

2010-04-22 Thread Camaleón
On Thu, 22 Apr 2010 18:13:49 +0300, Dotan Cohen wrote:

 It's hard for distributions to include the latest KDE SC available
 *and* deliver it as stable. Rolling distros (such Arch Linux), which
 are always up-to-date, may fit better into this schema.


 That is where a third-party repo would come in, such as Backports.
 Kubuntu, for all it's flaws, does this quite well. I understand that so
 does Suse.

As per openSUSE, yes, they have the OBS (Build Service) with many 
packages up-to-date and available (backported or not) for the current 
supported releases *but* remember that packages that fall in there are 
not officialy supported nor included into security patches (they follow 
their own path to solve any issue that can arise). 

Anyway, I agree their KDE repos are of very good quality and so very 
useful for users.

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/pan.2010.04.22.15.40...@gmail.com



Re: USB device attached via RS232 adaptor

2010-04-22 Thread Dotan Cohen
Here is the device:
http://img339.imageshack.us/img339/9641/seriall.jpg

It is a real serial device, no USB.

-- 
Dotan Cohen

http://bido.com
http://what-is-what.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/y2v880dece01004220841t642b4acel8430dd0ebe408...@mail.gmail.com



iceweasel: resize of the picture adds blur places

2010-04-22 Thread only_one_mystery
Hi,
I am using Iceweasel in version 3.5.8 on Debian Testing and I am facing
following problem: it's happened to me many times, that when browsing
Google Picassa web album, some of the pictures are resized (for instance
from 640x427px to 640x426px) and the resizing blurs the picture. But the
resizing isn't because of the small browser window. I've posted more
about the problem in this thread:
http://www.google.com/support/forum/p/Picasa/thread?tid=4ad52fc29cd0d838hl=enfid=4ad52fc29cd0d838000484d4a52250c0

I would be very happy, if somebody could tell me, how to disable this
unwanted feature.

Best regards
Breta

P.S.: I hope I chose the right mailling list.


-- 
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/4bd06e84.7060...@centrum.cz



Re: Moving to Debian: updated software

2010-04-22 Thread Aioanei Rares

On 04/22/2010 11:54 AM, Dotan Cohen wrote:

I am looking for KDE 4.4.2 and Open Office 3.2 packages for Lenny. I
have found qt-kde.debian, Debian Experimental, Testing, Unstable, and
Backports. It looks to me that Backports is the best for an everyday
user who values stability, and prefers to use released software
version. Please let me know where I am mistaken. Thanks.

   
Fedora 12 has KDE 4.4 and it's in a pretty stable shape. Also, it's 
officially supported,

as opposed to OpenSUSE.


--
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/4bd078fd.5020...@gmail.com



Re: Moving to Debian: updated software

2010-04-22 Thread Dotan Cohen
 Fedora 12 has KDE 4.4 and it's in a pretty stable shape. Also, it's
 officially supported,
 as opposed to OpenSUSE.


I used Fedora from Core 3 to 6. It got very unstable at that point, FC
6, 7, and 8 were breaking critical packages almost monthly. I am
reluctant to go back.

That said, I think that Fedora, like Debian, plays a critical role in
the Linux ecosystem. I commend their hard work, and I commend those
who can live on the bleeding edge.

-- 
Dotan Cohen

http://bido.com
http://what-is-what.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/t2r880dece01004220940y5d94a0a5h3172d6e554f55...@mail.gmail.com



Duda

2010-04-22 Thread quinti
Saludos cordiales:
Llevo unos días intentando configurar un servidor de correo con
Postfix+Mysql+Courier+Quota+mailman. Lo estoy haciendo por un tutorial,
pero en un determinado momento de los pasos a seguir, cuando tengo que
correr el comando ehlo, no hay respuesta alguna. El cursor se queda
parpadeando y no sale nada. Ya lo he intentado alrededor de 8 veces y
siempre me da el mismo error. Todo lo demás funciona bien. Les agradecería
mucho si me ayudaran en esto. Estoy atorado y es el servidor de correo de
mi trabajo el que estoy encargado de configurar. No tengo cerca a nadie a
quien pudiera preguntarle.
En espera de su acostumbrada respuesta les saluda
Edier Quintana Pérez





-- 
Este mensaje ha sido analizado en la Asamblea 
Provincial del Poder Popular de Sancti Spiritus 
por MailScanner y ClamAV.


-- 
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/2158.192.168.110.1.1271952870.squir...@mail.fmto.ssp.co.cu



Re: Duda

2010-04-22 Thread Nuno Magalhães
http://lists.debian.org/debian-user-spanish/

-- 
()  ascii-rubanda kampajno - kontraŭ html-a retpoŝto
/\  ascii ribbon campaign - against html e-mail


--
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/l2v6b1504c41004221010q68e84424w815b01c0aac8d...@mail.gmail.com



Re: Linux compatible mainboards -another thought

2010-04-22 Thread Hugo Vanwoerkom

Ron Johnson wrote:

On 2010-04-21 14:48, Hugo Vanwoerkom wrote:

Ron Johnson wrote:

[snip]


Eh.  I'm still running .31 from December.  (Will soon be upgrading to 
.33, though.)




So will I, as soon as it gets out of experimental



Or roll your own kernel.  You'll learn a lot.



I used to roll my own kernel when the Debian package did not recognize 
my USB drives (fixed with adding ums-cypress to 
/etc/initramfs-tools/modules) or did not recognize my framebuffer (fixed 
by adding edd=off to the kernel cmdline).


I used to both recompile the Debian package as documented:
http://wiki.debian.org/HowToRebuildAnOfficialDebianKernelPackage

and roll my own kernel.

The objection I have to the latter is that one is never quite sure that 
.config is correct with the new kernel. My own kernel never had the 
problem with USB drives, or with framebuffer, but yet the best of all 
worlds is to just install the latest Debian kernel and have it work.


What works with the Debian package and I could never get to work with my 
own kernel is:


smartctl -d sat /dev/sda --all -T permissive (=USB drive)

which is another reason that I rather not roll my own: too much diddling 
to find the problem.


This will get worse when I get the new mobo.

Hugo


--
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/hqq02o$r1...@dough.gmane.org



Re: Linux compatible mainboards -another thought

2010-04-22 Thread Hugo Vanwoerkom

Ron Johnson wrote:

On 2010-04-21 14:45, Hugo Vanwoerkom wrote:
[snip]


I use 3/ and 195.36.15 to drive 2 seats on 2 GeForce 6200 cards



How's that Studebaker holding up?



You mean AMC Pacer (XL model 1976). Bought it in SFO for $900 sold it 
last year in Oaxaca for $150. Saw it half a year ago in the city 
belonging to a painter, looking spiffy, he claimed he paid $2000 for it, 
duh...


Hugo


--
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/hqq08t$r1...@dough.gmane.org



Re: uploading to esnips

2010-04-22 Thread Hugo Vanwoerkom

Camaleón wrote:

On Tue, 20 Apr 2010 12:11:24 -0500, Hugo Vanwoerkom wrote:


Uploading to esnips (http://www.esnips.com) doesn't work anylonger in
Iceweasel.
You have to be a member to upload but it's free. I can only upload when
I use FF on XP under VMware. Google-chrome doesn't do it either and I
don't have more browsers.


Most sure it's due to a bad web design that makes use of non-w3c 
standards :-(


Anyway, esnips seems to allow uploading files by e-mail, which could be 
an alternative if their web front-end does not work for you.




Camaleón, that was useful info. Thanks! Funny thing is, until you 
mentioned it that option did not show up on my homepage. I use esnips to 
store screen images:

http://www.esnips.com/doc/84c1c52f-2c36-4167-b3bf-d7d2ba557a96/mc-edit-4701oldini

Hugo


--
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/hqq0j8$t5...@dough.gmane.org



Re: SMTP-Error 451 while using smarthost for mail delivery

2010-04-22 Thread Camaleón
On Thu, 22 Apr 2010 16:20:01 +0200, b1 wrote:

 Currently I am trying to set up a Debian Lenny Server, but I am stuck at
 mail delivery. The server I am trying to set up, has no FQDN, so I used
 my ISP-Mailserver as a smarthost (I enabled the proper SMTP
 authentication in exim4).
 This setup worked a few days, before I suddenly received 451 errors. At
 first I thought it to be a problem with Exim4, so I switched to postfix.
 But postfix also gives me the 451 error:
 
 Apr 22 15:53:31 openshoolproxy postfix/smtp[24368]: 413CF26EF9:
 to=webserv...@b1online.de, orig_to=r...@openshoolproxy,
 relay=smtp.strato.com[81.169.145.132]:25, delay=2137,
 delays=2136/0.05/0.33/0.12, dsn=4.0.0, status=deferred (host
 smtp.strato.com[81.169.145.132] said: 451 Local Error (in reply to end
 of DATA command))

Mmm, the remote server (81.169.145.132) has encountered some kind of 
error while sending data command.

But, are you in control of Strato's server? If no, then you can only 
contact them and request more info about this error. If the problem is on 
their side, you can only guess.
 
(...)

 telnet smtp.strato.de 25
 Trying 81.169.145.133...
 Connected to smtp.strato.de.
 Escape character is '^]'.
 220 smtp.passthru
  ^

(...)

 451 Local Error

Look that smtp.passthru string, it seems some kind of proxy/redirector 
service.

 Very odd. After this fail I tried the same procedure from my arch linux
 box at home. It succeeded:
 
 
 
 
 telnet smtp.strato.com 25
 Trying 81.169.145.132...
 Connected to smtp.strato.com.
 Escape character is '^]'.
 220 post.strato.de [fruni mo3] ESMTP RZmta 23.0 ready; Thu, 22 Apr 2010
 15:55:55 +0200 (MEST)

(...)

 250 queued as g0718am3MD7AJw

That server response looks more normal. No proxy between you and smtp 
server.

(...)

If available, try to send an e-mail using a secure channel (SSL/TLS 
465/587 port) and check if that works. The idea behind this is to bypass 
the proxy server on their side altough I'm not sure this will work :-/

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/pan.2010.04.22.17.28...@gmail.com



Re: How to remove oowriter delay on opening document?

2010-04-22 Thread Sthu Deus
Thank You for Your time and answer, Ron:

I run Sid.

Aha! - I run testing OO - even not whole my system.

Note also that OOo depends on Gtk, which might need also to be 
loaded by KDE, but not by GNOME or XFce.

Could You please extend this Your phrase: how I/KDE can load the Gtk?


-- 
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/4bd0880e.0d1abc0a.66c2.0...@mx.google.com



Re: USB device attached via RS232 adaptor

2010-04-22 Thread Brad Rogers
On Thu, 22 Apr 2010 18:41:52 +0300
Dotan Cohen dotanco...@gmail.com wrote:

Hello Dotan,

 http://img339.imageshack.us/img339/9641/seriall.jpg

Never seen anything like that before.  Without the numbers of the ICs, I
couldn't even hazard a guess.

-- 
 Regards  _
 / )   The blindingly obvious is
/ _)radnever immediately apparent

Loaded like a freight train flyin' like an aeroplane
Nightrain - Guns 'N' Roses


signature.asc
Description: PGP signature


Re: USB device attached via RS232 adaptor

2010-04-22 Thread Dotan Cohen
 http://img339.imageshack.us/img339/9641/seriall.jpg

 Never seen anything like that before.  Without the numbers of the ICs, I
 couldn't even hazard a guess.


This is as zoomed in as it gets:
http://img341.imageshack.us/img341/9030/serial.jpg


-- 
Dotan Cohen

http://bido.com
http://what-is-what.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/s2g880dece01004221214r16c92e32ya0b578e3cbf5a...@mail.gmail.com



Re: ADVLooking for a job? Find one at JobsCentral

2010-04-22 Thread Celejar
On Thu, 22 Apr 2010 10:15:49 +0200
Nick Douma n.do...@nekoconeko.nl wrote:

 On Thu, Apr 22, 2010 at 03:05:15AM -0400, JobsCentral wrote:
  Sorry you need a HTML email client to view this message.
  
  Please visit 
  http://edm.jobscentral.com.sg/100422_JCMYjs/index.php?jid=1670qid=55357650 
  to view this message on your browser.
 
 Lol, this is precisely why I use mutt to read my mail :P.

Sylpheed! Sylpheed!

Celejar
-- 
foffl.sourceforge.net - Feeds OFFLine, an offline RSS/Atom aggregator
mailmin.sourceforge.net - remote access via secure (OpenPGP) email
ssuds.sourceforge.net - A Simple Sudoku Solver and Generator


-- 
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/20100422152618.2753e166.cele...@gmail.com



Re: USB device attached via RS232 adaptor

2010-04-22 Thread Brad Rogers
On Thu, 22 Apr 2010 22:14:06 +0300
Dotan Cohen dotanco...@gmail.com wrote:

Hello Dotan,

 This is as zoomed in as it gets:
 http://img341.imageshack.us/img341/9030/serial.jpg
 
I can tell you what the components are (I used to build electronic
circuits for a living);

MAX232 converts TTL voltage levels (5V  0V nominal) to RS232 levels
(+/-12V nominal).
The 74HC04 is an inverting buffer.
The three pin black device by the red LED is probably a voltage
regulator, since there appears to be a power cable. 
The silver item labelled 6.000 is a crystal.
Assorted resistors and capacitors, and two diodes.  Plus the LED of
course.

Is the big black block a PCMCIA connector, perhaps?

-- 
 Regards  _
 / )   The blindingly obvious is
/ _)radnever immediately apparent

I hope I live to relive the days gone by
Old Before I Die - Robbie Williams


signature.asc
Description: PGP signature


OT - Backup of HA server on external drive

2010-04-22 Thread Ivan Marin
Hi all,

I have to make a backup plan for a server that is physically very far away
from me right now. If for some reason this server goes south, I have to have
a plan and it has to be done quickly. The problem is that the personnel that
is on site doesn't know squat about Linux (or computers, for that matter),
so it must be something dead simple. I was thinking of getting a spare hard
drive, connect it to the working server, do a dd of the entire disk to the
new disk, and disconnect the disk (the people there can swap hard disks).
Something like

dd if=/dev/sda of=/dev/sdb bs=1024

assuming that sda is the working disk and sdb is the new, unformatted and
unpartitioned disk. So if hte machine breaks, I can get the new disk and put
in a new machine and everything should work. This server is doing firewall
and openvpn, etc, no X, no fancy stuff. Is this going to work? What do you
guys think?

Cheers!

Ivan


no sound - invalid access on soundcard

2010-04-22 Thread Redalert Commander
Hi,

I was fiddling around in virtualbox when suddenly the sound started
stuttering on the host system.
After I killed rhythmbox, sounds wouldn't play anymore (tried rhythmbox
and aplay).
I noticed the following entries in the logfile:
/var/log/kern.log
Apr 22 21:41:19 pc-steven kernel: [  775.696004] eth0: no IPv6 routers
present
Apr 22 21:41:20 pc-steven kernel: [  776.473516] end_request: I/O error,
dev fd0, sector 0
Apr 22 21:41:20 pc-steven kernel: [  776.504018] end_request: I/O error,
dev fd0, sector 0
Apr 22 21:47:33 pc-steven kernel: [ 1149.761000] warning: `VirtualBox'
uses 32-bit capabilities (legacy support in use)
Apr 22 21:48:40 pc-steven kernel: [ 1216.577409] __ratelimit: 1628
callbacks suppressed
Apr 22 21:48:45 pc-steven kernel: [ 1221.584815] __ratelimit: 1426
callbacks suppressed
Apr 22 21:48:50 pc-steven kernel: [ 1226.603878] __ratelimit: 1126
callbacks suppressed

Those __ratelimit entries started piling up quite rapidly (starting at
the point where sound started stuttering), closing rhythmbox reduced
these number to around 500, then closing down virtual box reduced the
number to less than 100.

After rebooting (I rebooted twice to make sure), the sound didn't come
up again, and looking at the logs I noticed the following in dmesg
[4.308987] ENS1371 :07:00.0: PCI INT A - GSI 16 (level, low) -
IRQ 16
[5.782051] AC'97 0 access is not valid [0x], removing mixer.
[5.89] ENS1371 :07:00.0: PCI INT A disabled
[5.800014] ENS1371: probe of :07:00.0 failed with error -5

During boot an error was displayed about the sound card right after the
line waiting for /dev to be fully populated.

I turned off the machine, flipped the power button on the power supply
into 'off' mode and removed the sound card.
Not noticing anything strange or burnt, I put it back in, same slot
(PCI) and let the machine start up again, the error was gone and sound
was restored.

But I still wonder what the cause of this issue was, a bug? A spark
somewhere in the universe?

Can anyone shine a light on this?
The system is running Debian Squeeze, fully up to date, using nvidia
driver 195.36.15, apart from that and the virtualbox modules, it's a
pretty basic desktop install.

If someone needs additional information, don't hesitate to ask.
Up until now, I have been unable to reproduce the problem.

Best regards,
Steven


-- 
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/1271970278.2660.22.ca...@pc-steven.lan



Re: OT - Backup of HA server on external drive

2010-04-22 Thread d . sastre . medina
On Thu, Apr 22, 2010 at 03:39:56PM -0500, Ivan Marin wrote:
 dd if=/dev/sda of=/dev/sdb bs=1024
 
 assuming that sda is the working disk and sdb is the new, unformatted and
 unpartitioned disk. So if hte machine breaks, I can get the new disk and put
 in a new machine and everything should work. This server is doing firewall
 and openvpn, etc, no X, no fancy stuff. Is this going to work? What do you
 guys think?

Hello,

I think it would be useful to know more about the filesystem
estructure, i.e, LVM, softRAID, etc...

Anyhow, if you can have HDs swapped, you can also have a live CD
played, do you?

A Clonezilla[1] live CD could be very useful here.
BTW, if that box has no LVM implemented, this is a good chance to do it, IMHO.

Regards.

[1] http://downloads.sourceforge.net/clonezilla/clonezilla-live-1.2.4-28-686.iso

-- 
Huella de clave primaria: 0FDA C36F F110 54F4 D42B  D0EB 617D 396C 448B 31EB


pgpUya6IrTohS.pgp
Description: PGP signature


Re: [OT] Birthday Gear (was Re: Epiphany browser continues to get worse and

2010-04-22 Thread Freeman
On Thu, Apr 22, 2010 at 10:04:57AM -0400, Stephen Powell wrote:
 On Wed, 21 Apr 2010 14:22:54 -0400 (EDT), Freeman wrote:
  On Tue, Apr 20, 2010 at 10:11:46AM -0400, Stephen Powell wrote:
  ...
  I got a new laptop for my birthday a few days ago.
  ...
 
  O. 
  
  But you don't say what kind of birthday equipment you received or what you
  installed/are planning on installing!!  :-(
 
 When I said a new laptop, I meant new to me.  It's not new in the
 retail sense: it's a newer used laptop.  It's an IBM ThinkPad X31.  I haven't
 had a chance to use it yet, but according to my brother, it has a 40G hard
 drive and 1G of RAM.  The other stats I don't know yet.
 
 It currently has some version of Windows on it, probably XP.  But it won't
 for long.  I'm going to install Debian on it, of course.  Probably Squeeze.
 

Be proud of them! They know what to get. Always wanted an IBM ThinkPad. :-) But
owners tend to hang on to them.

-- 
Kind Regards,
Freeman

http://bugs.debian.org/release-critical/
l


-- 
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/20100422210950.ga15...@europa.office



Re: USB device attached via RS232 adaptor

2010-04-22 Thread Freeman
On Mon, Apr 19, 2010 at 05:02:02PM -0500, Mark Allums wrote:
 On 4/19/2010 4:29 AM, Ron Johnson wrote:
 On 2010-04-19 04:24, Dotan Cohen wrote:
 Why plonk me? Surely this is not the last Etch machine out there? In
 any case, I could probably convince him to upgrade if you think that
 Etch is not up to the task.
 
 You completely missed (probably because gmail's web interface so
 incredibly
 sucks) why he's plonking you.
 
 
 He quoted the whole message. Are you implying that he was referring to
 my CC me sig?
 
 
 Yes. If you used a semi-competent MUA, you'd see that.
 
 
 I still don't get it.  And why the snark?  Not really called for...
 

Maybe it was just me.

I felt that by including the Cc: line in his sig. Dotan was dragging out the
issue of Cc:'ing somebody's INBOX, a very basic etiquette violation, that
just happen on a different thread.  (I don't see the point of taking the
time to start a topic, but not bother to check the list-mail box, and have
someone Cc: your INBOX to inform you they put something in your list-box.)

Also, it felt I had seen it before. Dotan once posted about how he would
never post without doing the footwork first, then abruptly ended that post
with two or three questions that basically equalled the first paragraph of
the respective man pages.

Anyway, I probably shouldn't have posted regardless. Seemed like a good idea
at the time.  :-) Finally got caught up on some sleep.

-- 
Kind Regards,
Freeman

http://bugs.debian.org/release-critical/


-- 
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/20100422211017.gb15...@europa.office



Turning on/off webcam IR leds

2010-04-22 Thread Art xD
Hello all!

I'm planing to buy a webcam with infrared LEDs. I wonder if turning
on/off IR leds can be controlled on debian? Which webcams are
supported to do that?

I'm looking forward to buy Genius iSlim 321R (details:
http://www.genius-europe.com/en/produktdetail.php?ID2=82ID=31ID3=490
), but I will be glad if somebody recommend me another similar model
with IR leds which is known to work on linux.

(if it matter, I use debian testing release)


-- 
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/q2pd779a5f41004221358z76df5702h63721416920ce...@mail.gmail.com



Re: USB device attached via RS232 adaptor

2010-04-22 Thread Dotan Cohen
 Is the big black block a PCMCIA connector, perhaps?


It is where the smart card gets plugged in. They seem like oversized SIM cards.


-- 
Dotan Cohen

http://bido.com
http://what-is-what.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/y2w880dece01004221540w2f6e34acz6036c300388f9...@mail.gmail.com



  1   2   >