[gentoo-user] gentoo-wiki.com not responding

2007-08-19 Thread Joseph
Does anybody knows what had happened to: http://gentoo-wiki.com ?

-- 
#Joseph
-- 
[EMAIL PROTECTED] mailing list



[gentoo-user] Re: [OT] bash script advice/criticism wanted

2007-08-19 Thread »Q«
Bo Ørsted Andresen [EMAIL PROTECTED] wrote:

 Also things like [[ $foo ==  ]] should rather be [[ -n $foo ]] but
 that's a minor.

[[ -z $foo ]] seems to work much better.  ;)

--
[EMAIL PROTECTED] mailing list



[gentoo-user] Re: gentoo-wiki.com not responding

2007-08-19 Thread Sven Köhler
 Does anybody knows what had happened to: http://gentoo-wiki.com ?

And http://www.gentoo-portage.com/



signature.asc
Description: OpenPGP digital signature


Re: [gentoo-user] Re: gentoo-wiki.com not responding

2007-08-19 Thread Dale
Sven Köhler wrote:
 Does anybody knows what had happened to: http://gentoo-wiki.com ?
 

 And http://www.gentoo-portage.com/

   

I read somewhere that they had a problem with the server.  Seems like it
was a security issue.  They are working on it but the guru is out of
town or something and will have to fix it when he comes back.  That was
my understanding anyway.  It's posted here or on -dev I think. 

Dale

:-)  :-)


Re: [gentoo-user] Suspend or sleep *ON A DESKTOP PC*?

2007-08-19 Thread Michal 'vorner' Vaner
Hello

On Sat, Aug 18, 2007 at 02:01:15PM -0400, Walter Dnes wrote:
   This is getting frustrating.  All my searching turns up stuff that
 involves responding to some event that is triggered by closing the lid
 on a laptop.  That is obviously not going to happen on a desktop PC.

Why not type 'hibernate' as a root instead of hooking it to closing lid?

   Normal rebooting is a pain, because I usually run with 3 or 4 text
 consoles logged in for different functions, as well as an X session.  So
 what do I have to do to get a *DESKTOP* PC to suspend to disk (preferred)
 or to ram (second choice)?

I use hibernate-scripts configured to use the old hibernate 1
(partially because it is OK with vanilla kernel, partially because the
hibernate 2 looks a little bloated to me, partially because I know
author of hibernate 1). It works without any problem, I just start the
system next time and it loads in its original state.

Just give it a try.

-- 
All flame and insults will go to /dev/null (if they fit)

Michal 'vorner' Vaner


pgp2Cdjf397EA.pgp
Description: PGP signature


[gentoo-user] Re: gentoo-wiki.com not responding

2007-08-19 Thread »Q«
On Sun, 19 Aug 2007 02:27:57 -0500
Dale [EMAIL PROTECTED] wrote:

 Sven Köhler wrote:
  Does anybody knows what had happened to: http://gentoo-wiki.com ?

 
  And http://www.gentoo-portage.com/
 
 I read somewhere that they had a problem with the server.  Seems like
 it was a security issue.  They are working on it but the guru is
 out of town or something and will have to fix it when he comes back.
 That was my understanding anyway.  It's posted here or on -dev I
 think.

You're thinking of packages.gentoo.org.

--
[EMAIL PROTECTED] mailing list



Re: [gentoo-user] gentoo-wiki.com not responding

2007-08-19 Thread Norberto Bensa

Joseph [EMAIL PROTECTED] ha escrito:


Does anybody knows what had happened to: http://gentoo-wiki.com ?



As everyone knows by now, Gentoo is dying...

:)


Regards,
Norberto


This message was sent using IMP, the Internet Messaging Program.


--
[EMAIL PROTECTED] mailing list



Re: [gentoo-user] Re: [OT] bash script advice/criticism wanted

2007-08-19 Thread Alex Schuster
»Q« writes:

 On Sun, 19 Aug 2007 07:10:30 +0200

 Bo Ørsted Andresen [EMAIL PROTECTED] wrote:
  On Sunday 19 August 2007 04:00:45 »Q« wrote:
   It works as it is, but I'm interested in learning about any newbie
   traps into which I might be falling or about any better practices I
   should use. This is my first attempt at printing a usage message or
   parsing arguments.
  
   The script is at http://remarqs.net/misc/mids2urls.sh.txt.  Feel
   free to reply to me off-list (or just to flame me) if you think
   this kind of non-Gentoo-specific stuff has no place here.
 
  It's hardly the best place to ask this kind of question but
  anyway.. :p

Right :) But a I like bash-scripting I also think I should start 
learning python, but I need my scripts to work on old Solaris 
installations, where I do not like to install perl, python and such. ANd 
probably I am not allowed to so so anyway. That's why I chose bash for 
them. Well, I was surprised how much I could accomplish with that. The 
size of my application is now  250k and still growing.

 Yeah.  Thanks for having a look at it anyway.  Is there a list or group
 that welcomes this kind of stuff? I looked but couldn't find one.

There is comp.unix.shell.
And read the Advanced Bash Scripting Guide: 
http://tldp.org/LDP/abs/html/

  The most noticeable thing which is wrong with this script is the
  quoting inside the brackets [  ]. Since you use bash you should just
  use [[  ]] instead (which makes most of the quoting in them
  unneeded..). Also things like [[ $foo ==  ]] should rather be [[ -n
  $foo ]] but that's a minor.

I always use [[ $foo ]] only.
Also, instead of 
if [ ! -f $1 ]
I like
if ! (( $# ))  # $# is the number of arguments
better. BTW, shift $(($OPTIND - 1)) can also be written as shift 
$((OPTIND-1)) - you do not need the $ inside (( )) contructions. They are 
quite powerful, I did not expect bash to do C-like things like this:
for (( i=0; i  10*foo; i++ ))


  Finally the number of calls to grep, sed and tr clearly shows that
  you could improve your knowledge about sed.. ;)

 Yeah, very true.

I also tend to avoid grep and sed, at least if I need performance. 
Exampes:
if echo $var | grep bla
can be written as:
if [[ $var == *bla* ]]

I replace simple if-then statemens by :
if [ $QUIET == no ]
then
echo -e $URLLIST
fi
--
[[ $QUIET == no ]] 
echo -e $URLLIST


Some more things:
THIS_SCRIPT=$(basename $0)
--
THIS_SCRIPT=${0##*/} (strip everything from $0 until the last / from 
the 
left).
Okay, there is basename and dirname, but they are external comands. If I 
like to use them, I define them like this:

basename()
{
local basename=${1##*/}
echo ${basename%${2:-}}
}

dirname()
{
echo ${1%/*}
}


Have a look at all these {} constructions, they are very powerful.

In longer scripts, I define all variables I use, and with set -u I make 
bash issue errors if it encounters undefined ones. This helps in case I 
make a type (using $fooo instead of $foo), which otherwise would just 
give an empty string.

One last thing is that I so not like the ; at the end of lines. I put the 
thens, dos and such into the next, under their corrsponding ifs and 
whiles. Looks better to me. Same goes for the starting { in functions.

BTW, after  . || or |, a \ is not needed if the statement continues in 
the next line. Also, foo=$(  ) can always be written without 
the .

Have fun with bash,

Wonko
--
[EMAIL PROTECTED] mailing list



Re: [gentoo-user] SLAB or SLUB in the kernel?

2007-08-19 Thread Mick
On Saturday 18 August 2007, Volker Armin Hemmann wrote:
 On Samstag, 18. August 2007, Florian Philipp wrote:
  Am Samstag 18 August 2007 22:51:20 schrieb Volker Armin Hemmann:
   On Samstag, 18. August 2007, Mick wrote:
Which of the two is it suitable for a desktop?
  
   SLAB
  
   slub is still very experimental, not well tested and extremly buggy.
  
   Don't use slub except on test systems.
 
  I wouldn't recommend it on production systems but it's not
  marked experimental in the kernel config, right? At least for me (AMD64
  X2 and Intel Celeron (64bit)) it works without problems, yet (uptime: two
  days).

 http://marc.info/?l=linux-kernelw=2r=1s=SLUBq=b

 just have a look for yourself.

 Or go to the gentoo forum. One recent thread had some reports about SLUB
 bugs.

 Something does not need to be marked experimental to be experimental.

Thank you guys!  SLAB it is then.
-- 
Regards,
Mick


signature.asc
Description: This is a digitally signed message part.


[gentoo-user] [OT] Quanta editor auto-indentation

2007-08-19 Thread Mick
Hi All,

Quanta seems to automatically insert spacing and CRs in the code, when I would 
not really like it to.  Do you know how this can be changed?  For example, I 
enter:

h1Contact Us:/h1

Then place the cursor between Us and : (in the GUI window, not in the text 
editor) and enter a space.  Immediately, Quanta reorders my text like so:

h1
Contact Us :
  /h1

BTW, is there a bbedit equivalent for Linux?
-- 
Regards,
Mick


signature.asc
Description: This is a digitally signed message part.


Re: [gentoo-user] NIC problems after MS Windows update

2007-08-19 Thread Mick
At long last I managed to find a work around to this problem, which was 
probably caused by Microsoft deciding to become environmentally 
friendly . . . 

If this problem applies to your NIC then you may want to read on:

On Sunday 12 August 2007, Rumen Yotov wrote:
 On (11/08/07 08:55) Mick wrote:
  On Sunday 29 July 2007 17:46, Rumen Yotov wrote:
   On (29/07/07 18:05) Jakob wrote:
 Anything else I could try?  How do I troubleshoot it?
   
Have a look at the log files is always a good way to troubleshoot ;-)
what does dmesg and /var/log/messages say about eth0 or 8139?
--
[EMAIL PROTECTED] mailing list
  
   Hi,
  
   Could also try the latest (~x86) kernel - 2.6.22-r2
 
  I've had a chance to look at this machine again.  I haven't transferred
  the relevant gentoo-sources to compile 2.6.22-r2, so I am still on
  2.6.21-r4. These are some relevant logs.  The entries after [drm] were
  created when I manually tried to load the device and run dhcpcd:
 
  dmesg
  ===
  eth0: link up, 100Mbps, full-duplex, lpa 0x41E1
  [drm] Setting GART location based on new memory map
  [drm] Loading R300 Microcode
  [drm] writeback test succeeded in 1 usecs
  NETDEV WATCHDOG: eth0: transmit timed out
  [drm] Loading R300 Microcode
  eth0: link up, 100Mbps, full-duplex, lpa 0x41E1
  NETDEV WATCHDOG: eth0: transmit timed out
  eth0: Transmit timeout, status 0d  c07f media 10.
  eth0: Tx queue start entry 4  dirty entry 0.
  eth0:  Tx descriptor 0 is 00082156. (queue head)
  eth0:  Tx descriptor 1 is 00082156.
  eth0:  Tx descriptor 2 is 00082156.
  eth0:  Tx descriptor 3 is 00082156.
  eth0: link up, 100Mbps, full-duplex, lpa 0x41E1
  ===
 
  /var/log/syslog
  ===
  Aug 11 08:33:27 compaq eth0: link up, 100Mbps, full-duplex, lpa 0x41E1
  Aug 11 08:33:39 compaq dhcpcd[6552]: eth0: dhcpcd 3.0.16 starting
  Aug 11 08:33:39 compaq dhcpcd[6552]: eth0: hardware address =
  00:11:2f:d7:f1:af
  Aug 11 08:33:39 compaq dhcpcd[6552]: eth0: broadcasting for a lease
  Aug 11 08:33:57 compaq NETDEV WATCHDOG: eth0: transmit timed out
  Aug 11 08:33:59 compaq dhcpcd[6552]: eth0: timed out
  Aug 11 08:33:59 compaq dhcpcd[6552]: eth0: exiting
  Aug 11 08:34:00 compaq eth0: Transmit timeout, status 0d  c07f media
  10. Aug 11 08:34:00 compaq eth0: Tx queue start entry 4  dirty entry 0.
  Aug 11 08:34:00 compaq eth0:  Tx descriptor 0 is 00082156. (queue head)
  Aug 11 08:34:00 compaq eth0:  Tx descriptor 1 is 00082156.
  Aug 11 08:34:00 compaq eth0:  Tx descriptor 2 is 00082156.
  Aug 11 08:34:00 compaq eth0:  Tx descriptor 3 is 00082156.
  Aug 11 08:34:24 compaq cron[6224]: (root) MAIL (mailed 76 bytes of output
  but go
  t status 0x0001 )
  ===
  --
  Regards,
  Mick

 Hi,

 I had some very strange problems with Davicom net-card, but only with
 2.6.21-r4.
 Both 2.6.20-r8  2.6.22-r2 work flawlessly.
 The connection breaks suddenly (suspect some ACPI issue).
 Check b.g.o
 HTH. Rumen

I moved the source and ebuild files using a USB stick and emerged the 
2.6.22-r2 kernel.  Unfortunately, it didn't make a difference.

dmesg and syslog show that the card is recognised and the driver is loaded.  
dhcpcd fails to obtain an address.  I even ran the rtl-diag to see if it 
shows anything:

# rtl8139-diag -aemv 
rtl8139-diag.c:v2.13 2/28/2005 Donald Becker ([EMAIL PROTECTED])
 http://www.scyld.com/diag/index.html
Index #1: Found a RealTek RTL8139 adapter at 0xe400.
RealTek chip registers at 0xe400
 0x000: d72f1100 aff1 8000  2000 2000 2000 
2000
 0x020: 34f76000 34f76600 34f76c00 34f77200 3490 0100 fff0 

 0x040: 74c0  931364e2  008d10c0  00d0c510 
0010
 0x060: 900f 01e1780d 41e1  0700 000107c8 64f60c59 
8b732760.
Realtek station address 00:11:2f:d7:f1:af, chip type 'rtl8139C+'.
  Receiver configuration: Reception disabled
 Rx FIFO threshold 16 bytes, maximum burst 16 bytes, 8KB ring
  Transmitter disabled with normal settings, maximum burst 16 bytes.
Tx entry #0 status 2000 incomplete, 0 bytes.
Tx entry #1 status 2000 incomplete, 0 bytes.
Tx entry #2 status 2000 incomplete, 0 bytes.
Tx entry #3 status 2000 incomplete, 0 bytes
  Flow control: Tx disabled  Rx disabled.
  The chip configuration is 0x10 0x8d, MII half-duplex mode.
  No interrupt sources are pending.
Decoded EEPROM contents:
   PCI IDs -- Vendor 0x10ec, Device 0x8139.
   PCI Subsystem IDs -- Vendor 0x103c, Device 0x2a0b.
   PCI timer settings -- minimum grant 32, maximum latency 64.
  General purpose pins --  direction 0xe5  value 0x12.
  Station Address 00:11:2F:D7:F1:AF.
  Configuration register 0/1 -- 0x8d / 0xc2.
 EEPROM active region checksum is 0945.
 The RTL8139 does not use a MII transceiver.
 

[gentoo-user] what's happening with kde ebuilds?

2007-08-19 Thread b.n.
Hi,

Coming back from the holidays I sync'd and when I try to emerge world, I
find messages like that:

Calculating world dependencies \
!!! All ebuilds that could satisfy ~kde-base/kdm-3.5.7 have been masked.
!!! One of the following masked packages is required to complete your
request:
- kde-base/kdm-3.5.7 (masked by: ~x86 keyword)

For more information, see MASKED PACKAGES section in the emerge man page
or refer to the Gentoo Handbook.
(dependency required by kde-base/kdebase-meta-3.5.7 [ebuild])

I synced a couple of times but these messages related to kde updates
reappear, although related to different packages. Is there some trouble
in the version synchronization of the new kde ebuilds? Why does stable
kdebase-meta require an unstable package?

m.
-- 
[EMAIL PROTECTED] mailing list



Re: [gentoo-user] what's happening with kde ebuilds?

2007-08-19 Thread Bo Ørsted Andresen
On Sunday 19 August 2007 13:26:46 b.n. wrote:
 Coming back from the holidays I sync'd and when I try to emerge world, I
 find messages like that:

 Calculating world dependencies \
 !!! All ebuilds that could satisfy ~kde-base/kdm-3.5.7 have been masked.
 !!! One of the following masked packages is required to complete your
 request:
 - kde-base/kdm-3.5.7 (masked by: ~x86 keyword)

 For more information, see MASKED PACKAGES section in the emerge man page
 or refer to the Gentoo Handbook.
 (dependency required by kde-base/kdebase-meta-3.5.7 [ebuild])

 I synced a couple of times but these messages related to kde updates
 reappear, although related to different packages. Is there some trouble
 in the version synchronization of the new kde ebuilds? Why does stable
 kdebase-meta require an unstable package?

kdm-3.5.7 has been stable for 8 days. Most likely an overlay is overshadowing 
it (xeffects?). Complain to the maintainer of said overlay.

-- 
Bo Andresen


signature.asc
Description: This is a digitally signed message part.


Re: [gentoo-user] what's happening with kde ebuilds?

2007-08-19 Thread b.n.
Bo Ørsted Andresen ha scritto:
 kdm-3.5.7 has been stable for 8 days. Most likely an overlay is overshadowing 
 it (xeffects?). Complain to the maintainer of said overlay.

Oh, yes. I forgot about xeffects -most probably it's the problem. Thanks
for the hint.

m.


-- 
[EMAIL PROTECTED] mailing list



Re: [gentoo-user] kdelibs wont compile

2007-08-19 Thread Mick
On Saturday 18 August 2007, Volker Armin Hemmann wrote:


 NO! don't mask expat!

 There is some reason why it got stable. expats current form is out for
 ages.

 emerge latest expat, emerge fontconfig, emerge qt and everything else
 broken.

Do as Volker says.  After you run revdep-rebuild you will eventually come up 
to the XML error as you described.  There's a whole thread about it in this 
ML (search for it in Gmane).  The solution is to emerge -C XML-Parser  
emerge -uaDv XML-Parser before you continue.  If I recall you may have to do 
the same with gettext.

HTH.
-- 
Regards,
Mick


signature.asc
Description: This is a digitally signed message part.


Re: [gentoo-user] Re: gentoo-wiki.com not responding

2007-08-19 Thread Dale
»Q« wrote:
 On Sun, 19 Aug 2007 02:27:57 -0500
 Dale [EMAIL PROTECTED] wrote:

   
 Sven Köhler wrote:
 
 Does anybody knows what had happened to: http://gentoo-wiki.com ?
   
 
 And http://www.gentoo-portage.com/
   
 I read somewhere that they had a problem with the server.  Seems like
 it was a security issue.  They are working on it but the guru is
 out of town or something and will have to fix it when he comes back.
 That was my understanding anyway.  It's posted here or on -dev I
 think.
 

 You're thinking of packages.gentoo.org.

   

I seem to recall there was a list of them including that one.  I
couldn't find the email though.  I was going to post it but I can't
remember the name and I can't find it by subject either.

I may go back and look again if I get the time.  Either way, I'm sure
it's being worked on.

Dale

:-)  :-)


[gentoo-user] ALSA hell : master channel permanently at zero volume, no sound

2007-08-19 Thread b.n.
Hi,

I'm getting quite desperate. My soundcard is a SiS onboard AC'97 as lshw
shows:

 description: Multimedia audio controller
 product: AC'97 Sound Controller
 vendor: Silicon Integrated Systems [SiS]
 physical id: 2.7
 bus info: [EMAIL PROTECTED]:00:02.7
 version: a0
 width: 32 bits
 clock: 33MHz
 capabilities: pm bus_master cap_list
 configuration: driver=Intel ICH latency=32 maxlatency=11
mingnt=52 module=snd_intel8x0

Until 9 August, everything worked perfectly. Then I went on holiday, and
yesterday I turned on my pc again. And I have no sound. Applications
work *like* they output sound, but nothing comes.

alsamixer shows that the master channel has no gauge -that is, it is not
mute, but on top of it there is no volume bar whatsoever, and arrows do
not raise one.

I remember I had the same issue time ago with alsa-libs 1.0.11, and I
had to downgrade to 1.0.10. So I thought something was broken again. I
downgraded from 1.0.14 to 1.0.13, but nothing happened.

I tried upgrading my kernel from 2.6.18 to 2.6.22. Nothing.

I tried compiling ALSA as a kernel module, instead of built into the
kernel as usual. Nothing.

I *could* try portage alsa-drivers, but the card has always worked with
in-kernel drivers, so I don't understand why shouldn't more be the case.
Any hint?

m.
-- 
[EMAIL PROTECTED] mailing list



Re: [gentoo-user] Merlin XU870

2007-08-19 Thread Michael Gisbers
Am Samstag 18 August 2007 schrieb Florian Philipp:
 Am Donnerstag 16 August 2007 20:28:43 schrieb Florian Philipp:
  Am Donnerstag 16 August 2007 13:03:40 schrieben Sie:
   Am Mittwoch 15 August 2007 21:07:49 schrieb Michael Gisbers:
Am Mittwoch 15 August 2007 schrieb Florian Philipp:
 Okay, I've found option.ko and airprime.ko. tail -f
 /var/log/messages still doesn't output anything. Might that be a
 configuration issue (syslog-ng? kernel?)?
   
Which kernel do you use?
  
   suspend2-2.6.22-r1
  
   I fact, this machine NEVER produced any output to /var/log/messages.
   It's completely empty. Its only content is the gzip-header when
   logrotate compresses the empty file once a week.
 
  /var/log/messages works now. (syslog-ng's sync had to be set to 1).
 
  Unfortunately, that does not solve my problem. airprime, option,
  usbserial and ftdi_sio are compiled as modules and loaded. Yet, I still
  don't get anything useful on tail -f /var/log/messages.
 
  Might it be due to the fact that I have to use an adapter (shipped with
  the card, works with Windows)?

 Just to complete the image, this is the output of umtsmon -v5

 umtsmon version 0.6 .
 set verbosity level to 5
 installing text SIGABRT handler
 INFO: '2.6 kernel found'
 INFO: 'sysfs found, mounted on /sys'
 USB iteration: vendorID/ProductID = 0x413c:a005
   unknown USB Device '(null)' '(null)'
 BAD: 'no known USB device found'
 INFO: 'pcmcia_core kernel support (yenta) found'
 INFO: 'PCMCIA kernel module found - cardctl support possible'
 INFO: 'pcmcia browsing available'
 INFO: 'Detected NEC-based usb2serial PCMCIA card'
 INFO: 'subvendor equals vendor detected. Is there an adapter around your
 card?'
 INFO: 'Anyway, we think we can handle this one by doing direct USB
 analysis.' INFO: 'no serial_cs capable device found'
 INFO: 'No Phone Modem found'
 INFO: 'Nothing detected yet - let's check for usb2serial in general'
 BAD: 'no usbserial ports found that are linked to PCMCIA'
 KILLING: 'no USB2Serial found, I'm out of options now...'
 *** CRITICAL ERROR: Device detection not successful.


   *** umtsmon version 0.6 closed due to an unrecoverable program error.

Do does /dev/ttyUSB0 and /dev/ttyUSB1 exist after inserting your Merlin - 
card?

If they do exist try to start umtsmon with:

umtsmon --serial /dev/ttyUSB0

BTW: What color shows your Merlin card after inserting?
-- 
 Michael Gisbers
 http://www.lugor.de


signature.asc
Description: This is a digitally signed message part.


Re: [gentoo-user] Merlin XU870

2007-08-19 Thread Florian Philipp
Am Sonntag 19 August 2007 16:52:37 schrieb Michael Gisbers:
 Am Samstag 18 August 2007 schrieb Florian Philipp:
  Am Donnerstag 16 August 2007 20:28:43 schrieb Florian Philipp:
   Am Donnerstag 16 August 2007 13:03:40 schrieben Sie:
Am Mittwoch 15 August 2007 21:07:49 schrieb Michael Gisbers:
 Am Mittwoch 15 August 2007 schrieb Florian Philipp:
  Okay, I've found option.ko and airprime.ko. tail -f
  /var/log/messages still doesn't output anything. Might that be a
  configuration issue (syslog-ng? kernel?)?

 Which kernel do you use?
   
suspend2-2.6.22-r1
   
I fact, this machine NEVER produced any output to /var/log/messages.
It's completely empty. Its only content is the gzip-header when
logrotate compresses the empty file once a week.
  
   /var/log/messages works now. (syslog-ng's sync had to be set to 1).
  
   Unfortunately, that does not solve my problem. airprime, option,
   usbserial and ftdi_sio are compiled as modules and loaded. Yet, I still
   don't get anything useful on tail -f /var/log/messages.
  
   Might it be due to the fact that I have to use an adapter (shipped with
   the card, works with Windows)?
 
  Just to complete the image, this is the output of umtsmon -v5
 
  umtsmon version 0.6 .
  set verbosity level to 5
  installing text SIGABRT handler
  INFO: '2.6 kernel found'
  INFO: 'sysfs found, mounted on /sys'
  USB iteration: vendorID/ProductID = 0x413c:a005
unknown USB Device '(null)' '(null)'
  BAD: 'no known USB device found'
  INFO: 'pcmcia_core kernel support (yenta) found'
  INFO: 'PCMCIA kernel module found - cardctl support possible'
  INFO: 'pcmcia browsing available'
  INFO: 'Detected NEC-based usb2serial PCMCIA card'
  INFO: 'subvendor equals vendor detected. Is there an adapter around your
  card?'
  INFO: 'Anyway, we think we can handle this one by doing direct USB
  analysis.' INFO: 'no serial_cs capable device found'
  INFO: 'No Phone Modem found'
  INFO: 'Nothing detected yet - let's check for usb2serial in general'
  BAD: 'no usbserial ports found that are linked to PCMCIA'
  KILLING: 'no USB2Serial found, I'm out of options now...'
  *** CRITICAL ERROR: Device detection not successful.
 
 
*** umtsmon version 0.6 closed due to an unrecoverable program error.

 Do does /dev/ttyUSB0 and /dev/ttyUSB1 exist after inserting your Merlin -
 card?

No, I used diff to compare the ls -l /dev output before and a after the 
insertion, there is no difference.

 If they do exist try to start umtsmon with:

 umtsmon --serial /dev/ttyUSB0

 BTW: What color shows your Merlin card after inserting?

White (initializing?), red, flashing red (no PIN)




signature.asc
Description: This is a digitally signed message part.


[gentoo-user] About Macintosh

2007-08-19 Thread Balaviswanathan Vaidyanathan
Hi 
  How to install MacOs X along with Gentoo

   
-
 Bollywood, fun, friendship, sports and more. You name it,  we have it.

[gentoo-user] About Macintosh

2007-08-19 Thread Balaviswanathan Vaidyanathan
Hi
   
  How to install MacOs X along with Gentoo

   
-
 Unlimited freedom, unlimited storage. Get it now

Re: [gentoo-user] Merlin XU870

2007-08-19 Thread Michael Gisbers
Am Sonntag 19 August 2007 schrieb Florian Philipp:
 Am Sonntag 19 August 2007 16:52:37 schrieb Michael Gisbers:
  Am Samstag 18 August 2007 schrieb Florian Philipp:
   Am Donnerstag 16 August 2007 20:28:43 schrieb Florian Philipp:
Am Donnerstag 16 August 2007 13:03:40 schrieben Sie:
 Am Mittwoch 15 August 2007 21:07:49 schrieb Michael Gisbers:
  Am Mittwoch 15 August 2007 schrieb Florian Philipp:
   Okay, I've found option.ko and airprime.ko. tail -f
   /var/log/messages still doesn't output anything. Might that be
   a configuration issue (syslog-ng? kernel?)?
 
  Which kernel do you use?

 suspend2-2.6.22-r1

 I fact, this machine NEVER produced any output to
 /var/log/messages. It's completely empty. Its only content is the
 gzip-header when logrotate compresses the empty file once a week.
   
/var/log/messages works now. (syslog-ng's sync had to be set to 1).
   
Unfortunately, that does not solve my problem. airprime, option,
usbserial and ftdi_sio are compiled as modules and loaded. Yet, I
still don't get anything useful on tail -f /var/log/messages.
   
Might it be due to the fact that I have to use an adapter (shipped
with the card, works with Windows)?
  
   Just to complete the image, this is the output of umtsmon -v5
  
   umtsmon version 0.6 .
   set verbosity level to 5
   installing text SIGABRT handler
   INFO: '2.6 kernel found'
   INFO: 'sysfs found, mounted on /sys'
   USB iteration: vendorID/ProductID = 0x413c:a005
 unknown USB Device '(null)' '(null)'
   BAD: 'no known USB device found'
   INFO: 'pcmcia_core kernel support (yenta) found'
   INFO: 'PCMCIA kernel module found - cardctl support possible'
   INFO: 'pcmcia browsing available'
   INFO: 'Detected NEC-based usb2serial PCMCIA card'
   INFO: 'subvendor equals vendor detected. Is there an adapter around
   your card?'
   INFO: 'Anyway, we think we can handle this one by doing direct USB
   analysis.' INFO: 'no serial_cs capable device found'
   INFO: 'No Phone Modem found'
   INFO: 'Nothing detected yet - let's check for usb2serial in general'
   BAD: 'no usbserial ports found that are linked to PCMCIA'
   KILLING: 'no USB2Serial found, I'm out of options now...'
   *** CRITICAL ERROR: Device detection not successful.
  
  
 *** umtsmon version 0.6 closed due to an unrecoverable program error.
 
  Do does /dev/ttyUSB0 and /dev/ttyUSB1 exist after inserting your Merlin -
  card?

 No, I used diff to compare the ls -l /dev output before and a after the
 insertion, there is no difference.

  If they do exist try to start umtsmon with:
 
  umtsmon --serial /dev/ttyUSB0
 
  BTW: What color shows your Merlin card after inserting?

 White (initializing?), red, flashing red (no PIN)

Ok. I will try my card with pcmcia - adapter tomorrow.

-- 
 Michael Gisbers
 http://www.lugor.de


signature.asc
Description: This is a digitally signed message part.


Re: [gentoo-user] About Macintosh

2007-08-19 Thread Tim

Balaviswanathan Vaidyanathan wrote:

Hi
 
How to install MacOs X along with Gentoo



Unlimited freedom, unlimited storage. Get it now 
http://in.rd.yahoo.com/tagline_mail_2/*http://help.yahoo.com/l/in/yahoo/mail/yahoomail/tools/tools-08.html/ 


Very briefly:

 - Shrink your existing OS' filesystem and partition
 - Install the new OS (Gentoo has excellent docs online for installing 
on Macs of all kinds, and your Mac install disk will pretty much work no 
matter what)
 - Get GRUB or LILO going for dual-booting (again, covered in the 
Gentoo docs)


I suggest you take a look at 
http://www.gentoo.org/doc/en/handbook/index.xml for more in-depth Gentoo 
installations on various Mac architectures. Good luck!

--
[EMAIL PROTECTED] mailing list



Re: [gentoo-user] no standalone jre?

2007-08-19 Thread Bo Ørsted Andresen
On Sunday 19 August 2007 16:57:17 Ralf Stephan wrote:
 when installing jre, a full jdk is downloaded (57M).

 $ paludis -pi jre

 * dev-java/sun-jdk-1.6.0.02 {:1.6} [N] X -alsa -doc -examples -jce nsplugin
 * virtual/jdk-1.6.0 {:1.6} [N]
 * virtual/jre-1.6.0 {:1.6} [N]

 Is this a bug?

I don't really recall the reason for virtual/jdk to be the default provider of 
virtual/jre but you can find it somewhere on bugs.gentoo.org if you 
care... ;) You can manually pick another provider. E.g. `paludis -qD 
virtual/jre:1.6` will show you all possible providers for slot 1.6 of jre. 
For 1.6 sun-jre-bin is the only alternative.

-- 
Bo Andresen


signature.asc
Description: This is a digitally signed message part.


Re: [gentoo-user] About Macintosh

2007-08-19 Thread Balaviswanathan Vaidyanathan
Thank you Tim for your kind help 

Tim [EMAIL PROTECTED] wrote:  Balaviswanathan Vaidyanathan wrote:
 Hi
 
 How to install MacOs X along with Gentoo
 
 
 Unlimited freedom, unlimited storage. Get it now 
 
 
Very briefly:

- Shrink your existing OS' filesystem and partition
- Install the new OS (Gentoo has excellent docs online for installing 
on Macs of all kinds, and your Mac install disk will pretty much work no 
matter what)
- Get GRUB or LILO going for dual-booting (again, covered in the 
Gentoo docs)

I suggest you take a look at 
http://www.gentoo.org/doc/en/handbook/index.xml for more in-depth Gentoo 
installations on various Mac architectures. Good luck!
-- 
[EMAIL PROTECTED] mailing list



   
-
 5, 50, 500, 5000 - Store N number of mails in your inbox. Click here.

Re: [gentoo-user] SLAB or SLUB in the kernel?

2007-08-19 Thread alain . didierjean
Selon Volker Armin Hemmann [EMAIL PROTECTED]:

 On Samstag, 18. August 2007, Mick wrote:
  Which of the two is it suitable for a desktop?

 SLAB

 slub is still very experimental, not well tested and extremly buggy.

 Don't use slub except on test systems.

I've been using slub since kernel 2.6.22 has been made available on an amd64
desktop. No problems. No feeling of speed increase either.

-- 
[EMAIL PROTECTED] mailing list



[gentoo-user] Custom CFLAGS

2007-08-19 Thread Daniel Iliev

Hi, list

Is there a way to use custom CFLAGS for a given package? I want to set
CFLAGS=-march=athlon64 -O2 -pipe globaly in make.conf and compile
certain packages with different CFLAGS. In other words I'm looking for
functianlity like the one /etc/portage/packages.use povides for the
USE flags.

Thanks in advance

-- 
Best regards,
Daniel

-- 
[EMAIL PROTECTED] mailing list



Re: [gentoo-user] mounting USB stick

2007-08-19 Thread Philip Webb
070818 Florian Philipp wrote:
 Am Samstag 18 August 2007 04:51:50 schrieb Crayon Shin Chan:
 On Saturday 18 August 2007 06:30, Philip Webb wrote:
 I've successfully mounted the stick  copied a file onto it:
 it seems you have to 'umount' it before the file is really stored.
 For performance reasons a write-cache is used -
 changes to the filesystem aren't effected immediately.
 Issuing a 'sync' command or 'umount' will force the changes
 to be written immediately.
 It's not only for performance reasons.
 This behavior saves the stick from unnecessary  writes
 to the FAT or temporary files which would otherwise decrease its lifespan.
 
I've also noticed that it seems to take noticeably longer to copy files,
the more data is already on the stick: can anyone explain ?

-- 
,,
SUPPORT ___//___,  Philip Webb : [EMAIL PROTECTED]
ELECTRIC   /] [] [] [] [] []|  Centre for Urban  Community Studies
TRANSIT`-O--O---'  University of Toronto
-- 
[EMAIL PROTECTED] mailing list



Re: [gentoo-user] Custom CFLAGS

2007-08-19 Thread Florian Philipp
Am Sonntag 19 August 2007 19:32:32 schrieb Daniel Iliev:
 Hi, list

 Is there a way to use custom CFLAGS for a given package? I want to set
 CFLAGS=-march=athlon64 -O2 -pipe globaly in make.conf and compile
 certain packages with different CFLAGS. In other words I'm looking for
 functianlity like the one /etc/portage/packages.use povides for the
 USE flags.


Sort answer: No.

Long answer: Yes, but it's complicated. Look at this thread:
http://thread.gmane.org/gmane.linux.gentoo.user/186864/focus=186874



signature.asc
Description: This is a digitally signed message part.


Re: [gentoo-user] mounting USB stick

2007-08-19 Thread Neil Bothwick
Hello Philip Webb,

 I've also noticed that it seems to take noticeably longer to copy files,
 the more data is already on the stick: can anyone explain ?

Fragmentation?


-- 
Neil Bothwick

Miracle worker, Doctor! I'm a dammit, not a jim.. no, scratch that...


signature.asc
Description: PGP signature


Re: [gentoo-user] gentoo-wiki.com not responding

2007-08-19 Thread Jan Seeger
On planet gentoo, one can read that the cause for the outage was a security
issue: http://www.gentoo.org/news/20070814-infrapr.xml

Regards,
Jan


pgp0Q9OVm0ElC.pgp
Description: PGP signature


Re: [gentoo-user] Custom CFLAGS

2007-08-19 Thread Elias Probst
On Sunday 19 August 2007 19:52:01 Florian Philipp wrote:
 Sort answer: No.

 Long answer: Yes, but it's complicated. Look at this thread:
 http://thread.gmane.org/gmane.linux.gentoo.user/186864/focus=186874

An easier way:
http://thread.gmane.org/gmane.linux.gentoo.user/181809/focus=181813

Regards, Elias P.

-- 
A really nice number:
09:F9:11:02:9D:74:E3:5B:D8:41:56:C5:63:56:88:C0


signature.asc
Description: This is a digitally signed message part.


Re: [gentoo-user] mounting USB stick

2007-08-19 Thread Florian Philipp
Am Sonntag 19 August 2007 20:13:14 schrieb Neil Bothwick:
 Hello Philip Webb,

  I've also noticed that it seems to take noticeably longer to copy files,
  the more data is already on the stick: can anyone explain ?

 Fragmentation?

I don't think so. Because there are no moving parts, the latency is extremely 
low. Fragmentation should not have any influence.


signature.asc
Description: This is a digitally signed message part.


Re: [gentoo-user] gentoo-wiki.com not responding

2007-08-19 Thread Bo Ørsted Andresen
On Sunday 19 August 2007 20:16:16 Jan Seeger wrote:
 On planet gentoo, one can read that the cause for the outage was a security
 issue: http://www.gentoo.org/news/20070814-infrapr.xml

No no no.. gentoo-wiki.com like gentoo-portage.com is in no way affiliated 
with Gentoo. You won't find reasons for those two being down anywhere on 
gentoo.org. And what you've linkes is news. Not planet.

-- 
Bo Andresen


signature.asc
Description: This is a digitally signed message part.


Re: [gentoo-user] SLAB or SLUB in the kernel?

2007-08-19 Thread Jerry McBride
On Sunday 19 August 2007 01:32:27 pm [EMAIL PROTECTED] wrote:
 Selon Volker Armin Hemmann [EMAIL PROTECTED]:
  On Samstag, 18. August 2007, Mick wrote:
   Which of the two is it suitable for a desktop?
 
  SLAB
 
  slub is still very experimental, not well tested and extremly buggy.
 
  Don't use slub except on test systems.

 I've been using slub since kernel 2.6.22 has been made available on an
 amd64 desktop. No problems. No feeling of speed increase either.

By chance, are you running any ext4 partitons too? On the nntp server I 
mentioned, not only slub, but the partition that contains the news spool is 
formatted ext4. Never a problem...

-- 


From the Desk of: Jerome D. McBride
--
[EMAIL PROTECTED] mailing list



Re: [gentoo-user] gentoo-wiki.com not responding

2007-08-19 Thread Dale
Jan Seeger wrote:
 On planet gentoo, one can read that the cause for the outage was a security
 issue: http://www.gentoo.org/news/20070814-infrapr.xml

 Regards,
 Jan
   

That's the list I was looking for.  Thanks for the link.

Dale

:-)  :-)  :-)
-- 
[EMAIL PROTECTED] mailing list



Re: [gentoo-user] ALSA hell : master channel permanently at zero volume, no sound

2007-08-19 Thread Mick
On Sunday 19 August 2007, b.n. wrote:
 Hi,

 I'm getting quite desperate. My soundcard is a SiS onboard AC'97 as lshw
 shows:

  description: Multimedia audio controller
  product: AC'97 Sound Controller
  vendor: Silicon Integrated Systems [SiS]
  physical id: 2.7
  bus info: [EMAIL PROTECTED]:00:02.7
  version: a0
  width: 32 bits
  clock: 33MHz
  capabilities: pm bus_master cap_list
  configuration: driver=Intel ICH latency=32 maxlatency=11
 mingnt=52 module=snd_intel8x0

 Until 9 August, everything worked perfectly. Then I went on holiday, and
 yesterday I turned on my pc again. And I have no sound. Applications
 work *like* they output sound, but nothing comes.

 alsamixer shows that the master channel has no gauge -that is, it is not
 mute, but on top of it there is no volume bar whatsoever, and arrows do
 not raise one.

 I remember I had the same issue time ago with alsa-libs 1.0.11, and I
 had to downgrade to 1.0.10. So I thought something was broken again. I
 downgraded from 1.0.14 to 1.0.13, but nothing happened.

 I tried upgrading my kernel from 2.6.18 to 2.6.22. Nothing.

 I tried compiling ALSA as a kernel module, instead of built into the
 kernel as usual. Nothing.

 I *could* try portage alsa-drivers, but the card has always worked with
 in-kernel drivers, so I don't understand why shouldn't more be the case.
 Any hint?

Just in case this bares any resemblance to my earlier NIC problem, is your box 
also booting into MS Windows and did you run a MS Windows or OEM driver 
update since?
-- 
Regards,
Mick


signature.asc
Description: This is a digitally signed message part.


Re: [gentoo-user] ALSA hell : master channel permanently at zero volume, no sound

2007-08-19 Thread b.n.
Mick ha scritto:

 Just in case this bares any resemblance to my earlier NIC problem, is your 
 box 
 also booting into MS Windows and did you run a MS Windows or OEM driver 
 update since?

No, it's a purely Linux box since 2004 :)

m.
-- 
[EMAIL PROTECTED] mailing list



Re: [gentoo-user] mounting USB stick

2007-08-19 Thread Philip Webb
070819 Florian Philipp wrote:
 Am Sonntag 19 August 2007 20:13:14 schrieb Neil Bothwick:
 Hello Philip Webb,
 I've also noticed that it seems to take noticeably longer to copy files,
 the more data is already on the stick: can anyone explain ?
 Fragmentation?
 Because there are no moving parts, the latency is extremely low.
 Fragmentation should not have any influence.

No, it can't be fragmentation !  I copied a series of dirs to the stick
 as each one was done, they took successively longer to finish,
tho' they were all roughly the same size.  It must be something
to do with the way the data is laid out on the stick.

-- 
,,
SUPPORT ___//___,  Philip Webb : [EMAIL PROTECTED]
ELECTRIC   /] [] [] [] [] []|  Centre for Urban  Community Studies
TRANSIT`-O--O---'  University of Toronto
-- 
[EMAIL PROTECTED] mailing list



[gentoo-user] MySQL isn't slotted. What to do?

2007-08-19 Thread Andrew Gaydenko
The issue is, I need to keep mysql 4.1.x version for my job. OTOH, say, last
dev-libs/apr-util needs mysql 5.x version. The mysql package isn't slotted,
and this fact is rather strange (4.0.x, 4.1.x and 5.x versions are _very_ 
different, and all are widely used in real servers). 

What to do?
-- 
[EMAIL PROTECTED] mailing list



Re: [gentoo-user] gentoo-wiki.com not responding

2007-08-19 Thread Dave Jones
Bo Ørsted Andresen wrote on 19/08/07 20:43:
 On Sunday 19 August 2007 20:16:16 Jan Seeger wrote:
 On planet gentoo, one can read that the cause for the outage was a security
 issue: http://www.gentoo.org/news/20070814-infrapr.xml

 No no no.. gentoo-wiki.com like gentoo-portage.com is in no way affiliated 
 with Gentoo. You won't find reasons for those two being down anywhere on 
 gentoo.org. And what you've linkes is news. Not planet.

Not sure if this is relevant:  when I tried to access gentoo-wiki late
Thursday morning, I got error messages about mysql problems at the
gentoo-wiki site.  Later on that day, the site was down.

Cheers, Dave
-- 
[EMAIL PROTECTED] mailing list



Re: [gentoo-user] ALSA hell : master channel permanently at zero volume, no sound

2007-08-19 Thread b.n.
b.n. ha scritto:
 Hi,
 
 I'm getting quite desperate. My soundcard is a SiS onboard AC'97 as lshw
 shows:
 
  description: Multimedia audio controller
  product: AC'97 Sound Controller
  vendor: Silicon Integrated Systems [SiS]
  physical id: 2.7
  bus info: [EMAIL PROTECTED]:00:02.7
  version: a0
  width: 32 bits
  clock: 33MHz
  capabilities: pm bus_master cap_list
  configuration: driver=Intel ICH latency=32 maxlatency=11
 mingnt=52 module=snd_intel8x0
 
 Until 9 August, everything worked perfectly. Then I went on holiday, and
 yesterday I turned on my pc again. And I have no sound. Applications
 work *like* they output sound, but nothing comes.
 
 alsamixer shows that the master channel has no gauge -that is, it is not
 mute, but on top of it there is no volume bar whatsoever, and arrows do
 not raise one.
 
 I remember I had the same issue time ago with alsa-libs 1.0.11, and I
 had to downgrade to 1.0.10. So I thought something was broken again. I
 downgraded from 1.0.14 to 1.0.13, but nothing happened.
 
 I tried upgrading my kernel from 2.6.18 to 2.6.22. Nothing.
 
 I tried compiling ALSA as a kernel module, instead of built into the
 kernel as usual. Nothing.
 
 I *could* try portage alsa-drivers, but the card has always worked with
 in-kernel drivers, so I don't understand why shouldn't more be the case.
 Any hint?

Bump: I tried to follow a suggestion on #gentoo, that is: rebuilding
ALSA as modules and then running alsaconf. Card correctly recognized,
but nothing new happens.

m.
-- 
[EMAIL PROTECTED] mailing list



[gentoo-user] Cannot uninstall kworldclock-3.5.5

2007-08-19 Thread Mick
Have you seen this before:
==
--- /usr/share/doc/
 kde-base/kdeartwork-kworldclock-3.5.7 merged.

 kde-base/kdeartwork-kworldclock
selected: 3.5.5 
   protected: 3.5.7 
 omitted: none

 'Selected' packages are slated for removal.
 'Protected' and 'omitted' packages will not be removed.

 Unmerging kde-base/kdeartwork-kworldclock-3.5.5...

!!! ERROR: kde-base/kdeartwork-kworldclock-3.5.5 failed.
Call stack:
  ebuild.sh, line 1529:   Called 
source 
'/var/db/pkg/kde-base/kdeartwork-kworldclock-3.5.5/kdeartwork-kworldclock-3.5.5.ebuild'
  kdeartwork-kworldclock-3.5.5.ebuild, line 17:   Called 
deprange-dual '3.5.5' '3.5.5' 'kde-base/kworldwatch'
  kde-functions.eclass, line 618:   Called 
get-parent-package 'kde-base/kworldwatch' 
  kde-functions.eclass, line 327:   Called die
 
!!! Package kde-base/kworldwatch not found in KDE_DERIVATION_MAP, please 
report bug  
!!! If you need support, post the topmost build error, and the call stack if 
relevant.   
!!! A complete build log is located 
at '/var/log/portage/kde-base:kdeartwork-kworldclock-3.5.5:20070819-210350.log'.
 
!!! FAILED prerm: 1
 
A removal phase of the 'kde-base/kdeartwork-kworldclock-3.5.5' package
has failed with exit value 1. The problem occurred while executing the
ebuild located at
'/var/db/pkg/kde-base/kdeartwork-kworldclock-3.5.5/kdeartwork-kworldclock-3.5.5.ebuild'.
 
If necessary, manually remove the ebuild in order to skip the execution
of removal phases.
==

How do I move on?
-- 
Regards,
Mick


signature.asc
Description: This is a digitally signed message part.


Re: [gentoo-user] Cannot uninstall kworldclock-3.5.5

2007-08-19 Thread Bo Ørsted Andresen
On Monday 20 August 2007 00:16:45 Mick wrote:
 !!! Package kde-base/kworldwatch not found in KDE_DERIVATION_MAP, please
 report bug

As it says.. it's a bug. Some dev screwed up.

https://bugs.gentoo.org/show_bug.cgi?id=189352

[SNIP]
 How do I move on?

You sync.

-- 
Bo Andresen


signature.asc
Description: This is a digitally signed message part.


Re: [gentoo-user] [SOLVED] Custom CFLAGS

2007-08-19 Thread Daniel Iliev
Thanks, people!

Your replies lead me to a solution and now I have all my current
wishes for custom build environment fulfilled. In case anybody else has
the same question, here is the original solution by Bo Ørsted Andresen:

http://thread.gmane.org/gmane.linux.gentoo.user/186864/focus=186874


-- 
Best regards,
Daniel


-- 
[EMAIL PROTECTED] mailing list



[gentoo-user] No title bars in gnome!

2007-08-19 Thread Michael Sullivan
I hope this goes through.  In the recent past, thread-beginning posts
sent from [EMAIL PROTECTED] to [EMAIL PROTECTED] get lost in
the mail.  Replies go through fine, but original threads don't.  If you
see this, this one didn't get lost.

I've been gone for a couple of weeks (from August 5 to August 16), so
when I got back there were a lot of packages that needed to be upgraded.
I completed the upgrades on my PC a couple of days ago.  I rebooted into
Windows XP today and when I came back and logged into GNOME, no programs
had title bars, and I couldn't Alt+TAB between them.  How can I fix
this?  How can I even find out exactly what package is causing the
problem?  When I log in, I get a message - something about
accessibility, but everything else seems normal except for the lack of
title bars.  I'm typing this is KDE, but I prefer GNOME.  Please help!
I use gnome-2-18-2-r1:

camille ~ # emerge -pv gnome

These are the packages that would be merged, in order:

Calculating dependencies... done!
[ebuild   R   ] gnome-base/gnome-2.18.2-r1  USE=cdr cups dvdr
-accessibility -ldap -mono 0 kB

Total: 1 package (1 reinstall), Size of downloads: 0 kB

My emerge info is:

camille ~ # emerge --info
Portage 2.1.2.11 (default-linux/x86/no-nptl, gcc-4.1.2, glibc-2.5-r4,
2.6.21-gentoo-r4 i686)
=
System uname: 2.6.21-gentoo-r4 i686 Intel(R) Celeron(R) CPU 2.66GHz
Gentoo Base System release 1.12.9
Timestamp of tree: Sun, 19 Aug 2007 16:30:01 +
distcc 2.18.3 i686-pc-linux-gnu (protocols 1 and 2) (default port 3632)
[disabled]
dev-java/java-config: 1.3.7, 2.0.33-r1
dev-lang/python: 2.4.4-r4
dev-python/pycrypto: 2.0.1-r6
sys-apps/sandbox:1.2.17
sys-devel/autoconf:  2.13, 2.61
sys-devel/automake:  1.4_p6, 1.5, 1.6.3, 1.7.9-r1, 1.8.5-r3, 1.9.6-r2,
1.10
sys-devel/binutils:  2.17
sys-devel/gcc-config: 1.3.16
sys-devel/libtool:   1.5.23b
virtual/os-headers:  2.6.21
ACCEPT_KEYWORDS=x86
AUTOCLEAN=yes
CBUILD=i686-pc-linux-gnu
CFLAGS=-O2 -march=i686 -fomit-frame-pointer
CHOST=i686-pc-linux-gnu
CONFIG_PROTECT=/etc /usr/kde/3.5/env /usr/kde/3.5/share/config 
/usr/kde/3.5/shutdown /usr/share/X11/xkb /usr/share/config /var/bind
CONFIG_PROTECT_MASK=/etc/env.d /etc/env.d/java/ /etc/gconf 
/etc/php/apache2-php4/ext-active/ /etc/php/apache2-php5/ext-active/ 
/etc/php/cgi-php4/ext-active/ /etc/php/cgi-php5/ext-active/ 
/etc/php/cli-php4/ext-active/ /etc/php/cli-php5/ext-active/ /etc/revdep-rebuild 
/etc/terminfo /etc/texmf/web2c
CXXFLAGS=-O2 -march=i686 -fomit-frame-pointer
DISTDIR=/usr/portage/distfiles
FEATURES=distlocks metadata-transfer sandbox sfperms strict
GENTOO_MIRRORS=http://mirror.datapipe.net/gentoo;
LINGUAS=en fr es
MAKEOPTS=-j2
PKGDIR=/usr/portage-packages/camille
PORTAGE_RSYNC_EXTRA_OPTS=--human-readable
PORTAGE_RSYNC_OPTS=--recursive --links --safe-links --perms --times
--compress --force --whole-file --delete --delete-after --stats
--timeout=180 --exclude=/distfiles --exclude=/local --exclude=/packages
--filter=H_**/files/digest-*
PORTAGE_TMPDIR=/var/tmp
PORTDIR=/usr/portage
PORTDIR_OVERLAY=/usr/local/portage
SYNC=rsync://rsync.gentoo.org/gentoo-portage
USE=X alsa apache2 apm arts asterisk audiofile avi bash-completion
berkdb bind-mysql bitmap-fonts browserplugin bzip2 candy cdr cgi cli
cracklib crypt ctype cups dba dbus divx4linux doc dri dvb dvd dvdr
dvdread eds emboss encode examples expat f77 ffmpeg flash foomaticdb
fortran ftp gdbm gif glut gnome gphoto2 gpm gstreamer gtk gtk2 guile hal
iconv imap imlib ipv6 isdnlog ithreads ivtv jack jack-tempfs java jikes
joystick jpeg kde kerberos lib libclamav libg++ libwww lirc mad midi
mikmod mmx mmx2 mmxext mode-owner motif mp3 mpeg mpm-leader mudflap
mysql mythtv nas nautilus ncurses new-login nls nntp nsplugin offensive
ogg oggvorbis opengl openmp oss pam pcre pdf perl php png portaudio ppds
pppd python qt qt3 qt4 quicktime readline real reflection ruby samba
sasl sdl seamonkey session slp snmp spell spl sql ssl svga syslog tcl
tcltk tcpd threads tidy truetype truetype-fonts type1-fonts unicode usb
userlocales v4l v4l2 vorbis win32codecs x86 xml xml2 xorg xv zaptel
zlib ALSA_CARDS=hda-intel ALSA_PCM_PLUGINS=adpcm alaw asym copy dmix
dshare dsnoop empty extplug file hooks iec958 ioplug ladspa lfloat
linear meter mulaw multi null plug rate route share shm softvol
ELIBC=glibc INPUT_DEVICES=keyboard mouse evdev KERNEL=linux
LCD_DEVICES=bayrad cfontz cfontz633 glk hd44780 lb216 lcdm001 mtxorb
ncurses text LINGUAS=en fr es USERLAND=GNU VIDEO_CARDS=apm ark
chips cirrus cyrix dummy fbdev glint i128 i740 i810 imstt mach64 mga
neomagic nsc nv r128 radeon rendition s3 s3virge savage siliconmotion
sis sisusb tdfx tga trident tseng v4l vesa vga via vmware voodoo
Unset:  CTARGET, EMERGE_DEFAULT_OPTS, INSTALL_MASK, LANG, LC_ALL,
LDFLAGS, PORTAGE_COMPRESS, PORTAGE_COMPRESS_FLAGS


-- 
[EMAIL PROTECTED] mailing list



Re: [gentoo-user] no standalone jre?

2007-08-19 Thread Boyd Stephen Smith Jr.
On Sunday 19 August 2007, Bo Ørsted Andresen [EMAIL PROTECTED] wrote 
about 'Re: [gentoo-user] no standalone jre?':
 On Sunday 19 August 2007 16:57:17 Ralf Stephan wrote:
  when installing jre, a full jdk is downloaded (57M).
 
  Is this a bug?

 I don't really recall the reason for virtual/jdk to be the default
 provider of virtual/jre but you can find it somewhere on bugs.gentoo.org
 if you care... ;)

It's probably the fact that Gentoo is source-based, so java packages 
normally require a jdk (for javac) anyway.  That said java in the browser 
only requires a jre, even on Gentoo.

-- 
Boyd Stephen Smith Jr. ,= ,-_-. =. 
[EMAIL PROTECTED]  ((_/)o o(\_))
ICQ: 514984 YM/AIM: DaTwinkDaddy   `-'(. .)`-' 
http://iguanasuicide.org/  \_/ 


signature.asc
Description: This is a digitally signed message part.


Re: [gentoo-user] No title bars in gnome!

2007-08-19 Thread Boyd Stephen Smith Jr.
On Sunday 19 August 2007, Michael Sullivan [EMAIL PROTECTED] wrote 
about '[gentoo-user] No title bars in gnome!':
 I logged into GNOME, no programs
 had title bars, and I couldn't Alt+TAB between them.  How can I fix
 this?  How can I even find out exactly what package is causing the
 problem?  When I log in, I get a message - something about
 accessibility, but everything else seems normal except for the lack of
 title bars.

This is usually caused by a missing/crashing/failing window manager.  The 
default window manager in Gnome is metacity (IIRC).  If you use 
compiz/beryl/compiz-fusion, this may be separated into a different program 
called the window decorator.  The perferred window decorator for Gnome is 
heliodor (IIRC).

Since your KDE window manager seems to work, you should be able to start 
gnome and then start:
kwin --replace
on the same display to get a more functional Gnome desktop.

-- 
Boyd Stephen Smith Jr. ,= ,-_-. =. 
[EMAIL PROTECTED]  ((_/)o o(\_))
ICQ: 514984 YM/AIM: DaTwinkDaddy   `-'(. .)`-' 
http://iguanasuicide.org/  \_/ 


signature.asc
Description: This is a digitally signed message part.


Re: [gentoo-user] No title bars in gnome!

2007-08-19 Thread James Ausmus
On 8/19/07, Michael Sullivan [EMAIL PROTECTED] wrote:
 I hope this goes through.  In the recent past, thread-beginning posts
 sent from [EMAIL PROTECTED] to [EMAIL PROTECTED] get lost in
 the mail.  Replies go through fine, but original threads don't.  If you
 see this, this one didn't get lost.

 I've been gone for a couple of weeks (from August 5 to August 16), so
 when I got back there were a lot of packages that needed to be upgraded.
 I completed the upgrades on my PC a couple of days ago.  I rebooted into
 Windows XP today and when I came back and logged into GNOME, no programs
 had title bars, and I couldn't Alt+TAB between them.  How can I fix
 this?

Sounds like the window manager isn't running - whenever you can't do
normal things with open windows, then you have window manager
problems. The standard window manager for gnome is nautilus - I'd
recommend opening a terminal window and just typing:

nautilus

and see what error messages you get. If you get your normal window
decorations back (title bar, etc.), then for some reason gnome isn't
starting nautilus by default - check your session/program autostart
settings. If you do get errors, then either just re-emerge nautilus,
or run a revdep-rebuild, and it will probably catch the issue.

The reason you didn't see the issue post-upgrade until after you had
rebooted, is that the previous (working) version of nautilus had been
resident in memory, but the on-disk copy is broken somehow - probably
a library dependency got updated.

HTH-

James


How can I even find out exactly what package is causing the
 problem?  When I log in, I get a message - something about
 accessibility, but everything else seems normal except for the lack of
 title bars.  I'm typing this is KDE, but I prefer GNOME.  Please help!
 I use gnome-2-18-2-r1:

 camille ~ # emerge -pv gnome

 These are the packages that would be merged, in order:

 Calculating dependencies... done!
 [ebuild   R   ] gnome-base/gnome-2.18.2-r1  USE=cdr cups dvdr
 -accessibility -ldap -mono 0 kB

 Total: 1 package (1 reinstall), Size of downloads: 0 kB

 My emerge info is:

 camille ~ # emerge --info
 Portage 2.1.2.11 (default-linux/x86/no-nptl, gcc-4.1.2, glibc-2.5-r4,
 2.6.21-gentoo-r4 i686)
 =
 System uname: 2.6.21-gentoo-r4 i686 Intel(R) Celeron(R) CPU 2.66GHz
 Gentoo Base System release 1.12.9
 Timestamp of tree: Sun, 19 Aug 2007 16:30:01 +
 distcc 2.18.3 i686-pc-linux-gnu (protocols 1 and 2) (default port 3632)
 [disabled]
 dev-java/java-config: 1.3.7, 2.0.33-r1
 dev-lang/python: 2.4.4-r4
 dev-python/pycrypto: 2.0.1-r6
 sys-apps/sandbox:1.2.17
 sys-devel/autoconf:  2.13, 2.61
 sys-devel/automake:  1.4_p6, 1.5, 1.6.3, 1.7.9-r1, 1.8.5-r3, 1.9.6-r2,
 1.10
 sys-devel/binutils:  2.17
 sys-devel/gcc-config: 1.3.16
 sys-devel/libtool:   1.5.23b
 virtual/os-headers:  2.6.21
 ACCEPT_KEYWORDS=x86
 AUTOCLEAN=yes
 CBUILD=i686-pc-linux-gnu
 CFLAGS=-O2 -march=i686 -fomit-frame-pointer
 CHOST=i686-pc-linux-gnu
 CONFIG_PROTECT=/etc /usr/kde/3.5/env /usr/kde/3.5/share/config 
 /usr/kde/3.5/shutdown /usr/share/X11/xkb /usr/share/config /var/bind
 CONFIG_PROTECT_MASK=/etc/env.d /etc/env.d/java/ /etc/gconf 
 /etc/php/apache2-php4/ext-active/ /etc/php/apache2-php5/ext-active/ 
 /etc/php/cgi-php4/ext-active/ /etc/php/cgi-php5/ext-active/ 
 /etc/php/cli-php4/ext-active/ /etc/php/cli-php5/ext-active/ 
 /etc/revdep-rebuild /etc/terminfo /etc/texmf/web2c
 CXXFLAGS=-O2 -march=i686 -fomit-frame-pointer
 DISTDIR=/usr/portage/distfiles
 FEATURES=distlocks metadata-transfer sandbox sfperms strict
 GENTOO_MIRRORS=http://mirror.datapipe.net/gentoo;
 LINGUAS=en fr es
 MAKEOPTS=-j2
 PKGDIR=/usr/portage-packages/camille
 PORTAGE_RSYNC_EXTRA_OPTS=--human-readable
 PORTAGE_RSYNC_OPTS=--recursive --links --safe-links --perms --times
 --compress --force --whole-file --delete --delete-after --stats
 --timeout=180 --exclude=/distfiles --exclude=/local --exclude=/packages
 --filter=H_**/files/digest-*
 PORTAGE_TMPDIR=/var/tmp
 PORTDIR=/usr/portage
 PORTDIR_OVERLAY=/usr/local/portage
 SYNC=rsync://rsync.gentoo.org/gentoo-portage
 USE=X alsa apache2 apm arts asterisk audiofile avi bash-completion
 berkdb bind-mysql bitmap-fonts browserplugin bzip2 candy cdr cgi cli
 cracklib crypt ctype cups dba dbus divx4linux doc dri dvb dvd dvdr
 dvdread eds emboss encode examples expat f77 ffmpeg flash foomaticdb
 fortran ftp gdbm gif glut gnome gphoto2 gpm gstreamer gtk gtk2 guile hal
 iconv imap imlib ipv6 isdnlog ithreads ivtv jack jack-tempfs java jikes
 joystick jpeg kde kerberos lib libclamav libg++ libwww lirc mad midi
 mikmod mmx mmx2 mmxext mode-owner motif mp3 mpeg mpm-leader mudflap
 mysql mythtv nas nautilus ncurses new-login nls nntp nsplugin offensive
 ogg oggvorbis opengl openmp oss pam pcre pdf perl php png portaudio ppds
 pppd python qt qt3 qt4 quicktime readline real reflection ruby samba
 sasl sdl seamonkey session slp snmp spell spl sql ssl svga syslog tcl
 

Re: [gentoo-user] No title bars in gnome!

2007-08-19 Thread James Ausmus
On 8/19/07, James Ausmus [EMAIL PROTECTED] wrote:
 On 8/19/07, Michael Sullivan [EMAIL PROTECTED] wrote:
  I hope this goes through.  In the recent past, thread-beginning posts
  sent from [EMAIL PROTECTED] to [EMAIL PROTECTED] get lost in
  the mail.  Replies go through fine, but original threads don't.  If you
  see this, this one didn't get lost.
 
  I've been gone for a couple of weeks (from August 5 to August 16), so
  when I got back there were a lot of packages that needed to be upgraded.
  I completed the upgrades on my PC a couple of days ago.  I rebooted into
  Windows XP today and when I came back and logged into GNOME, no programs
  had title bars, and I couldn't Alt+TAB between them.  How can I fix
  this?

 Sounds like the window manager isn't running - whenever you can't do
 normal things with open windows, then you have window manager
 problems. The standard window manager for gnome is nautilus - I'd

Whoops - make that metacity - guess I shouldn't be posting when I'm
sick in bed...

Sorry. :)

s/nautilus/metacity/g

 recommend opening a terminal window and just typing:

 nautilus

 and see what error messages you get. If you get your normal window
 decorations back (title bar, etc.), then for some reason gnome isn't
 starting nautilus by default - check your session/program autostart
 settings. If you do get errors, then either just re-emerge nautilus,
 or run a revdep-rebuild, and it will probably catch the issue.

 The reason you didn't see the issue post-upgrade until after you had
 rebooted, is that the previous (working) version of nautilus had been
 resident in memory, but the on-disk copy is broken somehow - probably
 a library dependency got updated.

 HTH-

 James


 How can I even find out exactly what package is causing the
  problem?  When I log in, I get a message - something about
  accessibility, but everything else seems normal except for the lack of
  title bars.  I'm typing this is KDE, but I prefer GNOME.  Please help!
  I use gnome-2-18-2-r1:
 
  camille ~ # emerge -pv gnome
 
  These are the packages that would be merged, in order:
 
  Calculating dependencies... done!
  [ebuild   R   ] gnome-base/gnome-2.18.2-r1  USE=cdr cups dvdr
  -accessibility -ldap -mono 0 kB
 
  Total: 1 package (1 reinstall), Size of downloads: 0 kB
 
  My emerge info is:
 
  camille ~ # emerge --info
  Portage 2.1.2.11 (default-linux/x86/no-nptl, gcc-4.1.2, glibc-2.5-r4,
  2.6.21-gentoo-r4 i686)
  =
  System uname: 2.6.21-gentoo-r4 i686 Intel(R) Celeron(R) CPU 2.66GHz
  Gentoo Base System release 1.12.9
  Timestamp of tree: Sun, 19 Aug 2007 16:30:01 +
  distcc 2.18.3 i686-pc-linux-gnu (protocols 1 and 2) (default port 3632)
  [disabled]
  dev-java/java-config: 1.3.7, 2.0.33-r1
  dev-lang/python: 2.4.4-r4
  dev-python/pycrypto: 2.0.1-r6
  sys-apps/sandbox:1.2.17
  sys-devel/autoconf:  2.13, 2.61
  sys-devel/automake:  1.4_p6, 1.5, 1.6.3, 1.7.9-r1, 1.8.5-r3, 1.9.6-r2,
  1.10
  sys-devel/binutils:  2.17
  sys-devel/gcc-config: 1.3.16
  sys-devel/libtool:   1.5.23b
  virtual/os-headers:  2.6.21
  ACCEPT_KEYWORDS=x86
  AUTOCLEAN=yes
  CBUILD=i686-pc-linux-gnu
  CFLAGS=-O2 -march=i686 -fomit-frame-pointer
  CHOST=i686-pc-linux-gnu
  CONFIG_PROTECT=/etc /usr/kde/3.5/env /usr/kde/3.5/share/config 
  /usr/kde/3.5/shutdown /usr/share/X11/xkb /usr/share/config /var/bind
  CONFIG_PROTECT_MASK=/etc/env.d /etc/env.d/java/ /etc/gconf 
  /etc/php/apache2-php4/ext-active/ /etc/php/apache2-php5/ext-active/ 
  /etc/php/cgi-php4/ext-active/ /etc/php/cgi-php5/ext-active/ 
  /etc/php/cli-php4/ext-active/ /etc/php/cli-php5/ext-active/ 
  /etc/revdep-rebuild /etc/terminfo /etc/texmf/web2c
  CXXFLAGS=-O2 -march=i686 -fomit-frame-pointer
  DISTDIR=/usr/portage/distfiles
  FEATURES=distlocks metadata-transfer sandbox sfperms strict
  GENTOO_MIRRORS=http://mirror.datapipe.net/gentoo;
  LINGUAS=en fr es
  MAKEOPTS=-j2
  PKGDIR=/usr/portage-packages/camille
  PORTAGE_RSYNC_EXTRA_OPTS=--human-readable
  PORTAGE_RSYNC_OPTS=--recursive --links --safe-links --perms --times
  --compress --force --whole-file --delete --delete-after --stats
  --timeout=180 --exclude=/distfiles --exclude=/local --exclude=/packages
  --filter=H_**/files/digest-*
  PORTAGE_TMPDIR=/var/tmp
  PORTDIR=/usr/portage
  PORTDIR_OVERLAY=/usr/local/portage
  SYNC=rsync://rsync.gentoo.org/gentoo-portage
  USE=X alsa apache2 apm arts asterisk audiofile avi bash-completion
  berkdb bind-mysql bitmap-fonts browserplugin bzip2 candy cdr cgi cli
  cracklib crypt ctype cups dba dbus divx4linux doc dri dvb dvd dvdr
  dvdread eds emboss encode examples expat f77 ffmpeg flash foomaticdb
  fortran ftp gdbm gif glut gnome gphoto2 gpm gstreamer gtk gtk2 guile hal
  iconv imap imlib ipv6 isdnlog ithreads ivtv jack jack-tempfs java jikes
  joystick jpeg kde kerberos lib libclamav libg++ libwww lirc mad midi
  mikmod mmx mmx2 mmxext mode-owner motif mp3 mpeg mpm-leader mudflap
  mysql mythtv nas 

Re: [gentoo-user] NIC problems after MS Windows update

2007-08-19 Thread James Ausmus
On 8/19/07, Mick [EMAIL PROTECTED] wrote:
 At long last I managed to find a work around to this problem, which was
 probably caused by Microsoft deciding to become environmentally
 friendly . . .

 If this problem applies to your NIC then you may want to read on:

 On Sunday 12 August 2007, Rumen Yotov wrote:
  On (11/08/07 08:55) Mick wrote:
   On Sunday 29 July 2007 17:46, Rumen Yotov wrote:
On (29/07/07 18:05) Jakob wrote:
  Anything else I could try?  How do I troubleshoot it?

 Have a look at the log files is always a good way to troubleshoot ;-)
 what does dmesg and /var/log/messages say about eth0 or 8139?
 --
 [EMAIL PROTECTED] mailing list
   
Hi,
   
Could also try the latest (~x86) kernel - 2.6.22-r2
  
   I've had a chance to look at this machine again.  I haven't transferred
   the relevant gentoo-sources to compile 2.6.22-r2, so I am still on
   2.6.21-r4. These are some relevant logs.  The entries after [drm] were
   created when I manually tried to load the device and run dhcpcd:
  
   dmesg
   ===
   eth0: link up, 100Mbps, full-duplex, lpa 0x41E1
   [drm] Setting GART location based on new memory map
   [drm] Loading R300 Microcode
   [drm] writeback test succeeded in 1 usecs
   NETDEV WATCHDOG: eth0: transmit timed out
   [drm] Loading R300 Microcode
   eth0: link up, 100Mbps, full-duplex, lpa 0x41E1
   NETDEV WATCHDOG: eth0: transmit timed out
   eth0: Transmit timeout, status 0d  c07f media 10.
   eth0: Tx queue start entry 4  dirty entry 0.
   eth0:  Tx descriptor 0 is 00082156. (queue head)
   eth0:  Tx descriptor 1 is 00082156.
   eth0:  Tx descriptor 2 is 00082156.
   eth0:  Tx descriptor 3 is 00082156.
   eth0: link up, 100Mbps, full-duplex, lpa 0x41E1
   ===
  
   /var/log/syslog
   ===
   Aug 11 08:33:27 compaq eth0: link up, 100Mbps, full-duplex, lpa 0x41E1
   Aug 11 08:33:39 compaq dhcpcd[6552]: eth0: dhcpcd 3.0.16 starting
   Aug 11 08:33:39 compaq dhcpcd[6552]: eth0: hardware address =
   00:11:2f:d7:f1:af
   Aug 11 08:33:39 compaq dhcpcd[6552]: eth0: broadcasting for a lease
   Aug 11 08:33:57 compaq NETDEV WATCHDOG: eth0: transmit timed out
   Aug 11 08:33:59 compaq dhcpcd[6552]: eth0: timed out
   Aug 11 08:33:59 compaq dhcpcd[6552]: eth0: exiting
   Aug 11 08:34:00 compaq eth0: Transmit timeout, status 0d  c07f media
   10. Aug 11 08:34:00 compaq eth0: Tx queue start entry 4  dirty entry 0.
   Aug 11 08:34:00 compaq eth0:  Tx descriptor 0 is 00082156. (queue head)
   Aug 11 08:34:00 compaq eth0:  Tx descriptor 1 is 00082156.
   Aug 11 08:34:00 compaq eth0:  Tx descriptor 2 is 00082156.
   Aug 11 08:34:00 compaq eth0:  Tx descriptor 3 is 00082156.
   Aug 11 08:34:24 compaq cron[6224]: (root) MAIL (mailed 76 bytes of output
   but go
   t status 0x0001 )
   ===
   --
   Regards,
   Mick
 
  Hi,
 
  I had some very strange problems with Davicom net-card, but only with
  2.6.21-r4.
  Both 2.6.20-r8  2.6.22-r2 work flawlessly.
  The connection breaks suddenly (suspect some ACPI issue).
  Check b.g.o
  HTH. Rumen

 I moved the source and ebuild files using a USB stick and emerged the
 2.6.22-r2 kernel.  Unfortunately, it didn't make a difference.

 dmesg and syslog show that the card is recognised and the driver is loaded.
 dhcpcd fails to obtain an address.  I even ran the rtl-diag to see if it
 shows anything:
 
 # rtl8139-diag -aemv
 rtl8139-diag.c:v2.13 2/28/2005 Donald Becker ([EMAIL PROTECTED])
  http://www.scyld.com/diag/index.html
 Index #1: Found a RealTek RTL8139 adapter at 0xe400.
 RealTek chip registers at 0xe400
  0x000: d72f1100 aff1 8000  2000 2000 2000
 2000
  0x020: 34f76000 34f76600 34f76c00 34f77200 3490 0100 fff0
 
  0x040: 74c0  931364e2  008d10c0  00d0c510
 0010
  0x060: 900f 01e1780d 41e1  0700 000107c8 64f60c59
 8b732760.
 Realtek station address 00:11:2f:d7:f1:af, chip type 'rtl8139C+'.
   Receiver configuration: Reception disabled
  Rx FIFO threshold 16 bytes, maximum burst 16 bytes, 8KB ring
   Transmitter disabled with normal settings, maximum burst 16 bytes.
 Tx entry #0 status 2000 incomplete, 0 bytes.
 Tx entry #1 status 2000 incomplete, 0 bytes.
 Tx entry #2 status 2000 incomplete, 0 bytes.
 Tx entry #3 status 2000 incomplete, 0 bytes
   Flow control: Tx disabled  Rx disabled.
   The chip configuration is 0x10 0x8d, MII half-duplex mode.
   No interrupt sources are pending.
 Decoded EEPROM contents:
PCI IDs -- Vendor 0x10ec, Device 0x8139.
PCI Subsystem IDs -- Vendor 0x103c, Device 0x2a0b.
PCI timer settings -- minimum grant 32, maximum latency 64.
   General purpose pins --  direction 0xe5  value 0x12.
   Station Address 00:11:2F:D7:F1:AF.

Re: [gentoo-user] Suspend or sleep *ON A DESKTOP PC*?

2007-08-19 Thread Walter Dnes
On Sat, Aug 18, 2007 at 11:57:02PM +0200, b.n. wrote
 Walter Dnes ha scritto:

Normal rebooting is a pain, because I usually run with 3 or 4 text
  consoles logged in for different functions, as well as an X session.  So
  what do I have to do to get a *DESKTOP* PC to suspend to disk (preferred)
  or to ram (second choice)?
  
 
 By the way, why suspend-to-ram is second choice? Shouldn't it be
 much faster? I don't know that much about suspend issues (heck,
 I even don't have a laptop), so I'd like to know.

  The whole point behind the excercise is to conserve energy.  Suspend
to ram means that the ram has to be kept powered, so it's a low-power
state.  I want a no-power state, i.e. I want to be able to shut down,
pull the plug out of the wall, go away for the week end, plug it back in
and reboot on Monday to find that everything is where I left it.

-- 
Walter Dnes [EMAIL PROTECTED] In linux /sbin/init is Job #1
Q. Mr. Ghandi, what do you think of Microsoft security?
A. I think it would be a good idea.
-- 
[EMAIL PROTECTED] mailing list



Re: [gentoo-user] No title bars in gnome! [SOLVED]

2007-08-19 Thread Michael Sullivan
On Sun, 2007-08-19 at 18:41 -0500, Boyd Stephen Smith Jr. wrote:
 This is usually caused by a missing/crashing/failing window manager.  The 
 default window manager in Gnome is metacity (IIRC).  If you use 
 compiz/beryl/compiz-fusion, this may be separated into a different program 
 called the window decorator.  The perferred window decorator for Gnome is 
 heliodor (IIRC).
 
 Since your KDE window manager seems to work, you should be able to start 
 gnome and then start:
 kwin --replace
 on the same display to get a more functional Gnome desktop.
 
Yeah, metacity went bad.  I reran it and my title bars came back.  Thank
you!
-Michael Sullivan-

-- 
[EMAIL PROTECTED] mailing list



Re: [gentoo-user] CXXABI error after gcc upgrade

2007-08-19 Thread Iain Buchanan
On Fri, 2007-08-17 at 10:51 +0200, Bo Ørsted Andresen wrote:
 On Friday 17 August 2007 06:50:25 Iain Buchanan wrote:
  /etc/env.d $ grep LDPATH * | grep gcc
  05compiler:LDPATH=/usr/lib/gcc/i686-pc-linux-gnu/3.4.6
  05gcc:LDPATH=/usr/lib/gcc/i686-pc-linux-gnu/4.1.2:/usr/lib/gcc/i686-pc-lin
 ux-gnu/3.4.6:/usr/lib/gcc/i686-pc-linux-gnu/4.2.0
 
  aha! so the culprit is  05compiler, but who put it there?  `equery
  belongs` doesn't tell me anything, in fact I have a lot of files
  in /etc/env.d that don't belong to anything, so is it safe to delete
  them?...
 
 eselect-compiler (which was a broken piece of shit which caused huge amounts 
 of bug reports) put it there.

but I don't have that installed... perhaps I used to, and an old clean
got rid of it, I don't remember!

-- 
Iain Buchanan iaindb at netspace dot net dot au

You should make a point of trying every experience once -- except
incest and folk-dancing.
-- A. Bax, Farewell My Youth

-- 
[EMAIL PROTECTED] mailing list



Re: [gentoo-user] Suspend or sleep *ON A DESKTOP PC*?

2007-08-19 Thread William Kenworthy
On Sun, 2007-08-19 at 20:44 -0400, Walter Dnes wrote:
 On Sat, Aug 18, 2007 at 11:57:02PM +0200, b.n. wrote
  Walter Dnes ha scritto:
 
...
  By the way, why suspend-to-ram is second choice? Shouldn't it be
  much faster? I don't know that much about suspend issues (heck,
  I even don't have a laptop), so I'd like to know.
 
   The whole point behind the excercise is to conserve energy.  Suspend
 to ram means that the ram has to be kept powered, so it's a low-power
 state.  I want a no-power state, i.e. I want to be able to shut down,
 pull the plug out of the wall, go away for the week end, plug it back in
 and reboot on Monday to find that everything is where I left it.
 
 -- 
 Walter Dnes [EMAIL PROTECTED] In linux /sbin/init is Job #1
 Q. Mr. Ghandi, what do you think of Microsoft security?
 A. I think it would be a good idea.

and to add to it, two laptops (one dell and one sony) I have experience
with sus to ram is they both only run for 30 hours or so - max.

Useless for weekends, or sometimes if you cant access the machine for a
day or two unexpectedly.

Sus2ram is great for moving a few rooms away, but sus to disk is
essential fr anything else and still being able to trust that things
will be the way you left them in unexpected situations.

BillK


-- 
William Kenworthy [EMAIL PROTECTED]
Home in Perth!
-- 
[EMAIL PROTECTED] mailing list



[gentoo-user] Very OT - Problems with mythfilldatabase

2007-08-19 Thread Michael Sullivan
Has anyone else had problems updating program listings with
mythfilldatabase?  Here's my output from it:

2007-08-19 20:48:56.028 Using runtime prefix = /usr
2007-08-19 20:48:56.062 New DB connection, total: 1
2007-08-19 20:48:56.069 Connected to database 'mythconverg' at host:
localhost
2007-08-19 20:48:56.080 New DB connection, total: 2
2007-08-19 20:48:56.081 Connected to database 'mythconverg' at host:
localhost
2007-08-19 20:48:56.082 mythfilldatabase: Listings Download Started
2007-08-19 20:48:56.097 Updating source #1 (General) with grabber
datadirect
2007-08-19 20:48:56.098 
2007-08-19 20:48:56.098 Checking day @ offset 0, date: Sun Aug 19 2007
2007-08-19 20:48:56.104 Data refresh needed because no data exists for
day @ offset 0 from 6PM - midnight.
2007-08-19 20:48:56.104 Refreshing data for Sun Aug 19 2007
2007-08-19 20:48:56.105 New DB DataDirect connection
2007-08-19 20:48:56.106 Connected to database 'mythconverg' at host:
localhost
2007-08-19 20:48:56.107 Retrieving datadirect data.
2007-08-19 20:48:56.108 Grabbing data for Sun Aug 19 2007 offset 0
2007-08-19 20:48:56.108 From Sun Aug 19 05:00:00 2007 to Mon Aug 20
05:00:00 2007 (UTC)
2007-08-19 20:48:56.108 Grabbing listing data
--20:48:56--
http://datadirect.webservices.zap2it.com/tvlistings/xtvdService
   = `-'
Resolving datadirect.webservices.zap2it.com... 206.18.98.160
Connecting to datadirect.webservices.zap2it.com|206.18.98.160|:80...
connected.
HTTP request sent, awaiting response... 401 Unauthorized
Reusing existing connection to datadirect.webservices.zap2it.com:80.
HTTP request sent, awaiting response... 500 Internal Server Error
20:48:56 ERROR 500: Internal Server Error.

2007-08-19 20:48:56.498 Grab complete.  Actual data from  to  (UTC)
2007-08-19 20:48:56.499 Main temp tables populated.
2007-08-19 20:48:56.500 Updating myth channels.
2007-08-19 20:48:56.502 New DB connection, total: 3
2007-08-19 20:48:56.503 Connected to database 'mythconverg' at host:
localhost
2007-08-19 20:48:56.506 Updating icons for sourceid: 1
2007-08-19 20:48:56.507 Channels updated.
2007-08-19 20:48:56.510 Did not find any new program data.
2007-08-19 20:48:56.510 
2007-08-19 20:48:56.510 Checking day @ offset 1, date: Mon Aug 20 2007
2007-08-19 20:48:56.510 Refreshing data for Mon Aug 20 2007
2007-08-19 20:48:56.511 Retrieving datadirect data.
2007-08-19 20:48:56.511 Grabbing data for Sun Aug 19 2007 offset 1
2007-08-19 20:48:56.512 From Mon Aug 20 05:00:00 2007 to Tue Aug 21
05:00:00 2007 (UTC)
2007-08-19 20:48:56.512 Grabbing listing data
--20:48:56--
http://datadirect.webservices.zap2it.com/tvlistings/xtvdService
   = `-'
Resolving datadirect.webservices.zap2it.com... 206.18.98.160
Connecting to datadirect.webservices.zap2it.com|206.18.98.160|:80...
connected.
HTTP request sent, awaiting response... 401 Unauthorized
Reusing existing connection to datadirect.webservices.zap2it.com:80.
HTTP request sent, awaiting response... 500 Internal Server Error
20:48:56 ERROR 500: Internal Server Error.

2007-08-19 20:48:56.900 Grab complete.  Actual data from  to  (UTC)
2007-08-19 20:48:56.900 Main temp tables populated.
2007-08-19 20:48:56.904 Did not find any new program data.
2007-08-19 20:48:56.904 
2007-08-19 20:48:56.904 Checking day @ offset 2, date: Tue Aug 21 2007
2007-08-19 20:48:56.910 Data refresh needed because no data exists for
day @ offset 2 from 6PM - midnight.
2007-08-19 20:48:56.910 Refreshing data for Tue Aug 21 2007
2007-08-19 20:48:56.911 Retrieving datadirect data.
2007-08-19 20:48:56.911 Grabbing data for Sun Aug 19 2007 offset 2
2007-08-19 20:48:56.911 From Tue Aug 21 05:00:00 2007 to Wed Aug 22
05:00:00 2007 (UTC)
2007-08-19 20:48:56.911 Grabbing listing data
--20:48:56--
http://datadirect.webservices.zap2it.com/tvlistings/xtvdService
   = `-'
Resolving datadirect.webservices.zap2it.com... 206.18.98.160
Connecting to datadirect.webservices.zap2it.com|206.18.98.160|:80...
connected.
HTTP request sent, awaiting response... 401 Unauthorized
Reusing existing connection to datadirect.webservices.zap2it.com:80.
HTTP request sent, awaiting response... 500 Internal Server Error
20:48:57 ERROR 500: Internal Server Error.

2007-08-19 20:48:57.324 Grab complete.  Actual data from  to  (UTC)
2007-08-19 20:48:57.325 Main temp tables populated.
2007-08-19 20:48:57.328 Did not find any new program data.
2007-08-19 20:48:57.328 
2007-08-19 20:48:57.328 Checking day @ offset 3, date: Wed Aug 22 2007
2007-08-19 20:48:57.334 Data refresh needed because no data exists for
day @ offset 3 from 6PM - midnight.
2007-08-19 20:48:57.334 Refreshing data for Wed Aug 22 2007
2007-08-19 20:48:57.335 Retrieving datadirect data.
2007-08-19 20:48:57.335 Grabbing data for Sun Aug 19 2007 offset 3
2007-08-19 20:48:57.335 From Wed Aug 22 05:00:00 2007 to Thu Aug 23
05:00:00 2007 (UTC)
2007-08-19 20:48:57.336 Grabbing listing data
--20:48:57--
http://datadirect.webservices.zap2it.com/tvlistings/xtvdService
   = `-'
Resolving 

Re: [gentoo-user] Very OT - Problems with mythfilldatabase

2007-08-19 Thread Jerry McBride
On Sunday 19 August 2007 09:52:35 pm Michael Sullivan wrote:
 Has anyone else had problems updating program listings with
 mythfilldatabase?  Here's my output from it:


No problems... I still have access to the zap2it servers until october, 10 of 
this year. After that I'll have to deal with: http://www.schedulesdirect.org/

You do know that zap2it is dropping support for us leaches, right?

-- 


From the Desk of: Jerome D. McBride
--
[EMAIL PROTECTED] mailing list



Re: [gentoo-user] Cannot uninstall kworldclock-3.5.5

2007-08-19 Thread Joseph
I think I had a similar problem, at the end there was suggestion to
remove the ebuild manually; I did it and the as able to emerge -C
kworldwatch

-- 
#Joseph

On Mon, 2007-08-20 at 00:30 +0200, Bo Ørsted Andresen wrote:
 On Monday 20 August 2007 00:16:45 Mick wrote:
  !!! Package kde-base/kworldwatch not found in KDE_DERIVATION_MAP, please
  report bug
 
 As it says.. it's a bug. Some dev screwed up.
 
 https://bugs.gentoo.org/show_bug.cgi?id=189352
 
 [SNIP]
  How do I move on?
 
 You sync.
 

--
[EMAIL PROTECTED] mailing list



[gentoo-user] Re: [OT] bash script advice/criticism wanted

2007-08-19 Thread »Q«
On Sun, 19 Aug 2007 10:43:18 +0200
Alex Schuster [EMAIL PROTECTED] wrote:

 There is comp.unix.shell.

Thanks.  I'll go there from now on.

 And read the Advanced Bash Scripting Guide: 
 http://tldp.org/LDP/abs/html/

I had been reading the ABS doc, but parts of it made more sense after
the input from you and Bo.  I've digested most of it, and the script
looks a lot different.  Bo will be happy that sed is only called once
(and no grep or tr), and you should be somewhat more happy with my
conditionals and some other things.

The updated version is at that same URL,
http://remarqs.net/misc/mids2urls.sh.txt.

-- 
[EMAIL PROTECTED] mailing list