Re: [PLUG] Perl sorting problem...

2011-08-07 Thread someone
Quoting Fred James :

> someone wrote:
>> (omissions for brevity)
>
>> if ( $tmp > $last_lowest )
>> {
>>  $lowest=$tmp;
>> }
>>
> (omissions for brevity)
>
> Quick question ... is this (above) what you really want to say?

The last_lowest is the last value written out to the file.
The tmp value is the current value plucked from the list.
My hope by going through all the values and picking every one that
is larger than the last smallest one, the next one will be grabbed.

By the way, I can't get Perl's sort function to do the right thing
exactly either.

  my @sorted_ips=sort {$a <=> $b} @ip_list;

This command sorts the first octet correctly, but not the second,  
third, or fourth octets.  The numbers are in binary format when sort  
is run on them.

I don't undersand the special syntax on the sort command, but I suspect that
I need something different there.

The beauty of the sort function, if it will work, is that I can  
replace an entire function that is fairly long in comparison.  This is  
why I'm using perl after all, it is supposed to be designed to do this  
sort of thing.

My perl script is fairly short right now, but it is long enough to be  
obnoxious.
I would have attached it instead, but I don't think attachments are allowed.

I want to give my solution, which this isn't yet, away.  To get  
tarpitting to work, everyone has to do it eventually.  I'm sitting on  
200-300 spams which seems to be limited only by my bandwidth at this  
point.  I don't like MailScanner and I've given up on SpamCannibal,  
good idea badly implemented.

Thank you for taking a look.


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

___
PLUG mailing list
PLUG@lists.pdxlinux.org
http://lists.pdxlinux.org/mailman/listinfo/plug


[PLUG] Perl sorting problem...

2011-08-07 Thread someone
#!/usr/bin/perl
#{ # Record IPs from lowest to highest to a file...

  $last_lowest=$lowest;

  $std_ip=Net::IP::ip_bintoip($last_lowest, 4);
  print "LAST_LOWEST_IPv4:$std_ip\n";

  # Find out if lower value is in list...
  for ( $counter = 0 ; $counter < $ips_listed ; ++$counter )
  {
$tmp=$ip_list[$counter];

if ( $tmp > $last_lowest )
{
 $lowest=$tmp;
}
  } # END search for lower value...

  $std_ip=Net::IP::ip_bintoip($lowest, 4);
  print OUT "Lowest:$lowest\t$std_ip\n";

} # End for loop...

} # END output_IP_list.

#---

# spam_processor.pl: Extract from spam email the originating ip this garbage
#came from.

use Net::IP;  # Useful for converting IPv4 strings to binary numbers.
open ( SPAM, "spam") || die "Can't open spam!"; # mbox file containing  
the spam.
open ( OUT, ">ip_list") || die "Can't open ip_list!"; # This will contain the

$ips_listed=0;   # Total spam IP addresses listed.
$ip_list[0]=0b0; # Start off IP list with 0d0.
$ip_addr="000.000.000.000";  # A default IPv4 string.

$MIN_IP=0b0;

&main;  # Program's first function called here ;-)

sub main
{ # This is the first routine that should be called.

  while ($origin=)
  {
 chomp;

 if ( $origin =~ /^X-Originating-IP\: \[.*\]$/ )
 {
  chomp;

  # Extract ip address from $origin and chop off garbage...
  $ip_addr = substr ( $origin, 19, 16 );
  while ( $ip_addr =~ /.*\].*/ )
  {
  chop ( $ip_addr );
  }

  $status=&no_dup_enter_into_list;

  print "Status: $status \n";

 } # End of process acceptable line...

  } # End of while loop...

  &output_IP_list;

} # END main function.

#---

sub no_dup_enter_into_list
{ # Check for duplicates before inserting candidate IP address.
   # Return a string indicating what happened.

 # Convert IP string representation to binary integer representation...
 $binip=Net::IP::ip_iptobin($ip_addr,4);

 for ( $count=0 ; $count < $ips_listed ; ++$count )
 {

 if ( $binip eq $ip_list[$count] )
 {
  return ( "Sorry, duplicate found." );
 }
 }

 &enter_into_list;

 return ( "Inserted new address!" );

} # END no_dup_enter_into_list function.



sub enter_into_list
{ # Unique spam source found, put IP address in the list...

 if ( $ips_listed == 0 )
 {
  $ip_list[0] = $binip;
 }
 else
 {
  $ip_list[$ips_listed] = $binip;
 }

 ++$ips_listed;

} # END enter_into_list function.

#---

sub output_IP_list
{
$lowest=$ip_list[0];  # Hold an IP value to be printed out.
   $last_lowest=$ip_list[0];  # Remeber the last IP chosen.
 $tmp=0;  # Temporarily hold an IP from the list.
 $counter=0;  # For searches...

for ( $searcher1=0 ; $searcher1 < $ips_listed ; ++$searcher1 )
{ # Force starting out with the lowest value, must find it...

  $tmp=$ip_list[$searcher1];

  if ( $tmp < $lowest )
  {
   $lowest=$tmp;
   $last_lowest=$lowest;
  }
}

$std_ip=Net::IP::ip_bintoip($lowest, 4);
print "LOWEST_IPv4:$std_ip\n";

for ( $counter2=0 ; $counter2 < $ips_listed ; ++$counter2 )
 { # Record IPs from lowest to highest to a file...

  $last_lowest=$lowest;

  $std_ip=Net::IP::ip_bintoip($last_lowest, 4);
  print "LAST_LOWEST_IPv4:$std_ip\n";

  # Find out if lower value is in list...
  for ( $counter = 0 ; $counter < $ips_listed ; ++$counter )
  {
$tmp=$ip_list[$counter];

if ( $tmp > $last_lowest )
{
 $lowest=$tmp;
}
  } # END search for lower value...

  $std_ip=Net::IP::ip_bintoip($lowest, 4);
  print OUT "Lowest:$lowest\t$std_ip\n";

} # End for loop...

} # END output_IP_list.

#---

The function output_IP_list makes 5 picks and then picks the same IP  
like 30 times.  This is clearly the wrong behavior.  Why is this  
happening and how do I
fix this?  I'm trying to list the IPs in order in a file so 

[PLUG] Easily convert ip string...

2011-08-05 Thread someone
to a binary number so I can put the addresses in a binary tree.

I have extracted from an mbox file full of spam the originating IP address.

I need to convert these strings which are in decimal form to binary numbers.

What is the easiest way to do this in perl?


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

___
PLUG mailing list
PLUG@lists.pdxlinux.org
http://lists.pdxlinux.org/mailman/listinfo/plug


[PLUG] Building my own tarpit...

2011-08-05 Thread someone
Here is the scenario, spamcannibal is problematic and it doesn't look  
like the package is going to be fixed properly anytime soon.  I'm  
tired of fighting it.

How can I: safely get a copy of spam, parse the spam for the headers  
that are valid to find out where it really came from, and then build a  
DNS blacklist from that?

DNS blacklist built, how can I tarpit based off of the ip addresses  
that are blacklisted?  Tarpit meaning, you can connect to me but you  
get stuck at that step and are never able to send data.

Am I correct in thinking that I can install what is needed for the  
QUEUE iptables target without installing spamcannibal?

If there is a third party project that works when you have two null relays and
an internal mailhub, let me know.  This is almost what I have, except I don't
know how to masquerade properly so that Postfix can route out of either one of
my two inbound email gateways instead of going out directly.

Spamcannibal seems to assume one Internet connected mail server with no relays
feeding email to it indirectly.  It should be possible to split mail  
processing
and tarpitting, but good luck figuring that out with the instructions  
available.

I've backed out MailScanner and I've backed out SpamCannibal  
completely on all of my mail servers as well.  I even went so far as  
to bring stock CentOS 5 perl back on my mail hub.

I want to start out with something incredibly simple, I want to throw  
the smtp packets to user space and then throw them back.  Once I can  
do that, it will be easier to add to that the tarpitting feature.  I  
think if you don't acknowledge in 6 seconds or something like that  
that there is an auto resend.

For writing a tarpit daemon driven by a local DNS blacklist, do I need  
to use C or can I do this in some other language?  C and Perl I know,  
C better than Perl.

I'd like to work together with anyone who is interested in the result  
and having
an easier to install and easier to understand tarpit.


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

___
PLUG mailing list
PLUG@lists.pdxlinux.org
http://lists.pdxlinux.org/mailman/listinfo/plug


[PLUG] Upgrade Perl CentOS 5.x...

2011-08-01 Thread someone
There are the perl related rpms I can't account for:

  perl-Net-SSLeay i386   1.32-1.el5.rfinstalled 829 k
  perl-IO-Compress-Base   noarch 2.008-1.el5.rf   installed 138 k
  perl-IO-Socket-SSL  noarch 1.12-1.el5.rfinstalled 102 k
  perl-GD i386   2.35-2.el5   installed 450 k
  perl-GD-Barcode noarch 1.15-1.2.el5.rf  installed  10 M
  perl-GD-Convert noarch 2.13-1.el5.rfinstalled  24 k
  perl-GD-Dashboard   noarch 0.04-1.2.el5.rf  installed  26 k
  perl-GD-Graph   noarch 1.43-1.2.el5.rf  installed 231 k
  perl-GD-Graph3d noarch 0.63-2.2.el5.rf  installed  72 k
  perl-GD-SIRDS   noarch 0.02-1.2.el5.rf  installed  11 k
  perl-GD-SVG noarch 0.28-1.el5.rfinstalled  90 k
  perl-GD-Text-Util   noarch 0.86-1.2.el5.rf  installed  77 k
  perl-Glib   i386   1.162-1.el5.rf   installed 1.5 M
  perl-Gtk2   i386   1.162-1.el5.rf   installed  12 M

http://www.kirsle.net/doc/perl510.html

I assume the GD, Glib, and Gtk2 rpms are only needed when X is installed.
I'm concerned about not being able to account for the secure socket  
layer stuff.
I've figured everything else out...

YAML
HTTP::Date
Compress::Raw::Zlib
Compress::Zlib
Test::Pod
Pod::Coverage
Crypt::PasswdMD5
Digest::HMAC
Digest::SHA1
;  GD
;  GD::Barcode
;  GD::Convert
;  GD::Dashboard
;  GD::Text
;  GD::Graph
;  Glib
;  Gtk2
HTML::Parser
IO::Socket::INET6
Net::IP
Net::DNS
Digest::BubbleBabble
SVG
String::CRC32
URI
Business::ISBN
GAAS/libwww-perl-6.02.tar.gz
Unix::Syslog
Net::DNS::Codes
Net::DNS::ToolKit
Net::Whois::IP
Proc::PidUtil
Sys::Hostname::FQDN
Data::Password::Manager
File::SafeDO
Geo::IP::PurePerl
Net::DNSBL::MultiDaemon
ExtUtils::MakeMaker
Mail::SpamCannibal

If there is a semicolon before a line, that doesn't install successfully.
Whether or not everything that needs perl still works, this seems to  
be the case.  If there is any other install I should do via CPAN,  
please let me know.

I'm running perl-5.14.1 with threading enabled.

I'm wondering if I really need the IPv6 stuff as I don't have any IPv6  
connections?


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

___
PLUG mailing list
PLUG@lists.pdxlinux.org
http://lists.pdxlinux.org/mailman/listinfo/plug


[PLUG] Custom perl...

2011-08-01 Thread someone
To get spamcannibal to work, I need to replace CentOS 5.6's perl-5.8.8 with
perl-5.12.1 or better.  How do I get yum update to work despite the fact that
I'm breaking the perl dependencies?  Can I get yum to report the dependencies
and then ignore them?  I need to know what I thinks is missing so I  
can cpan2rpm install them...

Michael C. Robinson


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


-- 
This message has been scanned for viruses and
dangerous content by MailScanner, and is
believed to be clean.

___
PLUG mailing list
PLUG@lists.pdxlinux.org
http://lists.pdxlinux.org/mailman/listinfo/plug


[PLUG] No dirty headers?

2011-07-23 Thread someone
I thought the idea behind sc_mailfilter.pl is that it searches headers  
for remote servers and logs them into the tarpit.  What does no dirty  
headers mean?

I can't use a .forward file to get my spam to spamcannibal, but it  
seems I can use redirect.  Trouble is, I don't know how to automate  
redirect.  Seems refirect doesn't change the source address where  
normal forwarding does.

As far as the comment that I'm running an abnormal email system,  
Postfix is commonly configured as an email gateway/relay host.  If you  
have two relays like I do, it would be a problem to have mailboxes  
created on each one and not synchronized.  The idea behind redundancy  
is not to create two email accounts but to ensure that there is more  
than one way for mail to come in.  The obvious problem with relay  
hosts is that spamcannibal is expecting local delivery of spam on the  
mail relay.  This is not realistic for the reasons already mentioned.

One though is to move the relay smtp servers to port 26 and use a  
REDIRECT iptables rule, but the relay hosts are working where I will  
probably break them trying to change the port they run on.  If I pull  
this off though, I can in theory run a local delivery enabled postfix  
server on port 25 and use fetchmail.

What does sc_mailfilter.pl really do and what does it really need?

Do I need to move my relay servers launched by MailScanner to port 26?

If I process the spam on the central mailhub, what portions of  
spamcannibal do I need to install?

I'm trying to protect my bandwidth or else I wouldn't need spamcannibal.

As far as the mailhub having an outside connection, the only reason I  
do that is to ensure that I can email people.  In theory, I should be  
able to route outbound email through my email gateways, but having a  
theory and putting it into practice are two different things.  For one  
thing, I think you have to rewrite email headers to reflect the actual  
source when routing outbound email through a separate gateway.   
Because of the redundancy, I don't know what to rewrite the headers to  
until an email is going out.  The easy solution is to let the mailhub  
send email out directly.  Ideally though, the mailhub shouldn't have a  
direct Internet connection.

Clearly, I could change from having three Internet connected servers  
to having just one.  Trouble with this is, if I want to try something  
and potentially break email, there is no way around the break.  With  
virtualization, one machine can pretend to be three.  Trouble there  
is, I need to take some time to adapt to a single server over three  
seperate computers.  I need to be able to split up network ports  
etcetera between virtual machines so that I can have machines that are  
Internet connected and ones that are not.  Needless to say, switching  
to a single server infrasture will take time, it will take effort, and  
the switch will cost money.


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


-- 
This message has been scanned for viruses and
dangerous content by MailScanner, and is
believed to be clean.

___
PLUG mailing list
PLUG@lists.pdxlinux.org
http://lists.pdxlinux.org/mailman/listinfo/plug


[PLUG] Spam problem...

2011-07-19 Thread someone
I'm trying to get spam to spamcannibal's sc_mailfilter.pl script so  
that the dns blacklist can be updated.  If I send an email from the  
mailhub either via telnet or evolution to the lan address of my relay  
servers, I have a REDIRECT rule that rediercts those messages to the  
relay servers local mail servers on port 26.

I cannot forward mail to sc_mailfilter.pl as this will break things.

How does this script work anyways?  I'm wondering if I can process the  
spam on the mail hub and physically send an email with headers  
carrying the appropriate information?  So essentially, I am talking  
about sending email over a local area network with a forged remote  
source and an empty body.  After all, I think this
is all that I need.  I'm running postfix on the relay servers and the  
mailhub and I have perl, procmail, .forward files, and fetchmail to  
work with.

Perhaps there is a way to trigger a redirect that leaves the original  
sender, not the current sender, intact?  I realize that I'm asking how  
to lie to a mail server, but I don't see how else I can approach this.

Without this information, spamcannibal doesn't tarpit anything and is  
essentially worthless.


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


-- 
This message has been scanned for viruses and
dangerous content by MailScanner, and is
believed to be clean.

___
PLUG mailing list
PLUG@lists.pdxlinux.org
http://lists.pdxlinux.org/mailman/listinfo/plug


[PLUG] Third instance of postfix trouble...

2011-07-17 Thread someone
I'm trying to get spam delivered to each mail gateway so that  
spamcannibal can chew on it.  My thought is that I should run a third  
instance of postfix with local delivery enabled.

[admin@xerxes spam_postfix]$ ls
main.cfpostfix-files   post-install  virtual.db
master.cf  postfix-script  virtual
[admin@xerxes spam_postfix]$

[admin@xerxes spam_postfix]$ more main.cf
soft_bounce = no

virtual_alias_maps = hash:/etc/spam_postfix/virtual

queue_directory = /var/spool/spam_spool

command_directory = /usr/sbin

daemon_directory = /usr/libexec/postfix

mail_owner = postfix

message_size_limit = 4096
mailbox_size_limit = 8192

default_privs = nobody

myhostname=xerxes.robinson-west.com

myorigin=$myhostname

inet_interfaces = 192.168.5.4

mydestination=$myhostname

mynetworks = 192.168.5.0/24

mynetworks_style = subnet

smtpd_banner = $myhostname ESMTP $mail_name

sendmail_path = /usr/sbin/sendmail.postfix
newaliases_path = /usr/bin/newaliases.postfix
mailq_path = /usr/bin/mailq.postfix
setgid_group = postdrop
manpage_directory = /usr/share/man
sample_directory = /usr/share/doc/postfix-2.3.3/samples
readme_directory = /usr/share/doc/postfix-2.3.3/README_FILES

html_directory = no

mail_spool_directory = /var/spool/mail

[admin@xerxes spam_postfix]$ cat virtual
robinson-west.com   "This text is mandatory, but irrelevant:-)"
s...@xerxes.robinson-west.com   spam
@xerxes.robinson-west.com   spam
[admin@xerxes spam_postfix]$

Master.cf follows, I'm trying to trim it down.

# ==
# service type  private unpriv  chroot  wakeup  maxproc command + args
#   (yes)   (yes)   (yes)   (never) (100)
# ==
smtp  inet  n   -   n   -   -   smtpd
pickupfifo  n   -   n   60  1   pickup
cleanup   unix  n   -   n   -   0   cleanup
qmgr  fifo  n   -   n   300 1   qmgr
rewrite   unix  -   -   n   -   -   trivial-rewrite
bounceunix  -   -   n   -   0   bounce
defer unix  -   -   n   -   0   bounce
flush unix  n   -   n   1000?   0   flush
smtp  unix  -   -   n   -   -   smtp
showq unix  n   -   n   -   -   showq
error unix  -   -   n   -   -   error
local unix  -   n   n   -   -   local
virtual   unix  -   n   n   -   -   virtual
lmtp  unix  -   -   n   -   -   lmtp
proxymap  unix  -   -   n   -   -   proxymap

The only thing I am after is being able to deliver spam to spamcannibal.
Email typically goes through the mail relay via  
accepted_u...@robinson-west.com.
My thought has been, how about sending email to spamcannibal via
s...@xerxes.robinson-west.com or s...@web.robinson-west.com?

I must be off track here.  I expect that s...@xerxes.robinson-west.com  
will get caught resulting in delivery.  Look at the log on xerxes:

Jul 17 01:31:49 xerxes postfix/local[32289]: 8FD4D640656:  
to=, relay=local, delay=0.08,  
delays=0.01/0.01/0/0.06, dsn=5.4.6, status=bounced (mail forwarding  
loop for s...@xerxes.robinson-west.com)
Jul 17 01:31:49 xerxes postfix/cleanup[32288]: A4A7D640653:  
message-id=<20110717083149.a4a7d640...@xerxes.robinson-west.com>
Jul 17 01:31:49 xerxes postfix/qmgr[32279]: A4A7D640653: from=<>,  
size=2638, nrcpt=1 (queue active)
Jul 17 01:31:49 xerxes postfix/bounce[32291]: 8FD4D640656: sender  
non-delivery notification: A4A7D640653
Jul 17 01:31:49 xerxes postfix/qmgr[32279]: 8FD4D640656: removed
Jul 17 01:31:49 xerxes postfix/error[32294]: A4A7D640653:  
to=, relay=none, delay=0.01,  
delays=0.01/0/0/0, dsn=5.0.0, status=bounced (User unknown in virtual  
alias table)
Jul 17 01:31:49 xerxes postfix/qmgr[32279]: A4A7D640653: removed



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


-- 
This message has been scanned for viruses and
dangerous content by MailScanner, and is
believed to be clean.

___
PLUG mailing list
PLUG@lists.pdxlinux.org
http://lists.pdxlinux.org/mailman/listinfo/plug


[PLUG] Networking freezes Whiite Linux...

2011-07-14 Thread someone
I'm experiencing networking slowdowns and freezes on my Linux enabled  
Nintendo Wii.  I'm running Debian 4.0 etch PowerPC version.  I'm using  
a wired connection.  I'm wondering if this is a memory issue as the  
Wii doesn't have much memory.  I'm trying to download  
linux-2.6.32.tar.bz2 from ftp://ftp.kernel.org because I can't seem to  
get the modules that go with the mikep5 ios kernel.  I need them to  
possibly get X running faster.

I have installed GCC.  I don't seem to have the C libraries though, so  
I can't even get hello world to work.

I must be doing something wrong here or maybe there are known hardware  
issues that are fixed say in Debian Lenny?


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


-- 
This message has been scanned for viruses and
dangerous content by MailScanner, and is
believed to be clean.

___
PLUG mailing list
PLUG@lists.pdxlinux.org
http://lists.pdxlinux.org/mailman/listinfo/plug


[PLUG] VGA card mot ideal...

2011-05-22 Thread someone
Is there an AGP 4x video card specifically designed for making an HDMI  
connection to an HDTV?  VGA is the standard, but a television is NOT a  
VGA monitor.

I still am wondering how to fit the picture to the screen in Linux.   
Worse, Linux text mode is nice to have but the GEForce 6200 I'm using  
doesn't fit the screen in text mode.

Why fight a video card designed for a standard monitor if I can get  
one that is designed for connecting to a television?

I'm beginning to think that getting Linux to install to a Wii is the  
way to go because of the video issues when a standard computer is used.

Surely someone makes an embedded board or a video card that is  
intended for HDTVs.
If not, somebody should.  The whole idea of a set top box is defeated  
if you have to have a computer monitor as well.


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


-- 
This message has been scanned for viruses and
dangerous content by MailScanner, and is
believed to be clean.

___
PLUG mailing list
PLUG@lists.pdxlinux.org
http://lists.pdxlinux.org/mailman/listinfo/plug


[PLUG] NVIDIA and HDTV as monitor...

2011-05-21 Thread someone
Turns out under XP that the video driver has a special tool to fine  
tune the resolution so that the picture fits the screen.  XP Home 32  
bit is not going to work with MythTV let alone a dual core Atom.

How under Linux do I fine tune the resolution in X?


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


-- 
This message has been scanned for viruses and
dangerous content by MailScanner, and is
believed to be clean.

___
PLUG mailing list
PLUG@lists.pdxlinux.org
http://lists.pdxlinux.org/mailman/listinfo/plug


[PLUG] Hitachi 65TWX20B problems...

2011-05-18 Thread someone
This is a 65 inch television with a DVI input.  I can plug my NVIDIA  
card in directly.  Trouble is, Fedora 12 as a test bed is going off  
screen.  The Nvidia proprietary driver is trying to run at 1920x1080.   
Is there a specific modeline
I can put in xorg.conf and if so, where do I put it and what is the  
exact line?
If I try changing to a lower resolution, the problem gets worse.

My intent here is to be able to stream video into the television off  
my Linux based network.  For example, I may have camcorder footage  
among other things.

My NVIDIA is a GEForce 6200 AGP card.

There doesn't seem to be any way through the television to shrink or  
move the picture at all.


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


-- 
This message has been scanned for viruses and
dangerous content by MailScanner, and is
believed to be clean.

___
PLUG mailing list
PLUG@lists.pdxlinux.org
http://lists.pdxlinux.org/mailman/listinfo/plug


[PLUG] Linux set top box...

2011-05-17 Thread someone
I have a 65 inch rear projection Hitachi Ultravision Digital  
television with a DVI/HDTV input.  I assume that a Linux based set top  
box if one exists will connect to the television through the DVI port.  
  I want to stream videos that
are loaded onto a local (private) Linux based file server.  I also  
want to be able to stream say online television stations that aren't  
affordably available any other way to this television.  I want to be  
able to replace the traditional VCR by allowing the set top box to  
record over network onto the file server.

I'm intending using Grex to dub commercial VHS tapes to DVD and then  
somehow image those DVDs onto a hard disk.

If a Linux based set top box that comes with remote capable of doing  
what I want exists on the market, why build one?

How much cpu power is necessary?  How much onboard memory?  Do I need  
an HDMI output port?  What kind of video card is needed?  What is the  
smallest computer if I have to build my own set top box that I can use?

Will something from pcengines.ch work or do I have to look elsewhere?


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


-- 
This message has been scanned for viruses and
dangerous content by MailScanner, and is
believed to be clean.

___
PLUG mailing list
PLUG@lists.pdxlinux.org
http://lists.pdxlinux.org/mailman/listinfo/plug


[PLUG] Asterisk analog cards...

2011-03-15 Thread Someone
I'm using Asterisk 1.8 where my search for documentation on how to
configure FXO/FXS ports is proving fruitless.  I'm talking the TDM 410
I have installed with 2 FXS modules and 2 FXO modules.  I have two
Linksys PAP2's soon to be three that I figured out how to connect
together via the Asterisk server as a private intercom system.  I
want to connect the FXS ports, at least one of them, to this private
intercom system.  Apparently, there will be a book in April by O'Reilly
that will deal with this newer version of Asterisk.  I'd rather not wait
till April.

So my simple phone system required creation of my own sip.conf,
extensions.conf, and voicemail.conf files.  One thing I want to
change is I want to increase the number of rings to 8 for the
voicemail to answer.  Currently after 4 rings the system goes to
voicemail.  I could try disabling voicemail, it isn't really 
needed for an intercom system.

___
PLUG mailing list
PLUG@lists.pdxlinux.org
http://lists.pdxlinux.org/mailman/listinfo/plug


[PLUG] Monorail 3D Audio

2011-03-14 Thread someone
Is there a special driver for onboard Monorail 3D Audio or a way to force the
module snd_opti93x to load for it?  Slackware 13.1 detects the onboard sound
as Monorail 3D Audio and sets up loading of opti93x, but when I try to load
the module by hand I get an error that the equipment doesn't exist.


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


-- 
This message has been scanned for viruses and
dangerous content by MailScanner, and is
believed to be clean.

___
PLUG mailing list
PLUG@lists.pdxlinux.org
http://lists.pdxlinux.org/mailman/listinfo/plug


[PLUG] Asterisk help needed...

2011-03-09 Thread someone
I have a TDM410P analog digium card with 2 FXS and 2 FXO ports.  I  
configured Asterisk manually to work with 2 Linksys PAP2's unlocked  
locally.  So I don't think I want FreePBX, Trixbox, Asterisk-GUI, or  
any other gui as I haven't determined how to do the exact same thing  
using them.  I manually configured sip.conf, voicemail.conf, and  
extensions.conf and I have a local phone/voice mail system working.

The analog digium card is plugged into power and a PCI slot.  The blue  
lights are lit and the POTS line from CenturyLink is connected to FXO  
port 1 where the POTS line from my Comcast cable modem is connected to  
FXO port 2.  I am waiting on an analog telephone handset to plug in to  
one of the FXS ports where I'm not certain what I should use the other  
FXS port for.

My plan is to at least get the local phone system to ring one of the  
FXS ports and vice versa.  This will allow me to move my second PAP2  
out of the house since the server will then be able to replace it.   
Following this, I want to program the FXO ports not to answer the  
phone but to allow me to call out.  I want to allow local calls  
through either POTS line from the PAP2's or the FXS ports.

sip.conf:

[general]
port=5060
bindaddr=0.0.0.0
context=others

[2000]
type=friend
context=my-phones
secret=1234
host=dynamic

[2002]
type=friend
context=my-phones
secret=1234
host=dynamic

extensions.conf:

[others]

[my-phones]
exten => 2000,1,Dial(SIP/2000,20)
exten => 2000,2,VoiceMail(2000,u)

exten => 2002,1,Dial(SIP/2002,20)
exten => 2002,2,VoiceMail(2002,u)

exten => 2999,1,VoiceMailMain(${CALLERID(num)},s)

voicemail.conf:

[general]
format = wav

[default]
2000 => 4711,Somebody Robinson,every...@robinson-west.com
2002 => 0815,Somebody Robinson,every...@robinson-west.com



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


-- 
This message has been scanned for viruses and
dangerous content by MailScanner, and is
believed to be clean.

___
PLUG mailing list
PLUG@lists.pdxlinux.org
http://lists.pdxlinux.org/mailman/listinfo/plug


[PLUG] Replace ethernet switch with Linux bridge?

2011-02-13 Thread someone
Is this something that is doable to go from a dumb switch that doesn't care
what MAC addresses are connecting to a smart switch that does?

Currently, my DSL modem is bridged and I have 5 global IP addresses.
I use a Netgear 10/100baseTX 8 port switch to connect all my servers to my
modem.  Question is, can I simulate the switch with a Linux server and
be more careful about which MAC addresses get service?  I also want this
bridge machine to have one of the global IP addresses.  Naturally, I  
want to implement an alarm feature for when and if a foreign computer  
is detected.

Is implementing a smart switch the sort of thing that the Linux  
bridging code is used for?


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


-- 
This message has been scanned for viruses and
dangerous content by MailScanner, and is
believed to be clean.

___
PLUG mailing list
PLUG@lists.pdxlinux.org
http://lists.pdxlinux.org/mailman/listinfo/plug


[PLUG] Fedora 9 network install...

2011-01-08 Thread someone
Where is the repodata directory supposed to be?  I get an error that  
the group file can't be found, but I have no idea where the installer  
is looking.  Why not fix the installer so you can use the DVD image  
directly?


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


-- 
This message has been scanned for viruses and
dangerous content by MailScanner, and is
believed to be clean.

___
PLUG mailing list
PLUG@lists.pdxlinux.org
http://lists.pdxlinux.org/mailman/listinfo/plug


Re: [PLUG] Strange feature wanted...

2010-12-27 Thread someone
Quoting drew wymore :

> On Mon, Dec 27, 2010 at 8:22 PM, Michael C. Robinson <
> plu...@robinson-west.com> wrote:
>
>> Standard on Linux is that root can read any file on the local file
>> system.  Unfortunately, to get OpenDNS to update via ddclient, you
>> have to know the username and password of the account that needs
>> updating.  Is it possible to connect a password to ddclient.conf
>> or better yet require entry of the password in the file before it
>> can be opened?  Basically, what I am interested in is password
>> protecting a single file and requiring that even the super user
>> enter that password to access it, unless the super user wants to
>> delete it.  This way, in a sense, there can be more than one superuser
>> and it becomes possible to delegate maintenance of OpenDNS for example
>> to someone else.
>>
>> Frankly, I think it is stupid that you can't ask the OpenDNS servers
>> to update an account without logging in to that account, hint hint.
>> OpenDNS should be asking for the host name assigned to ones dynamic ip
>> address instead of the current ip anyways.
>>
>> ___
>> PLUG mailing list
>> PLUG@lists.pdxlinux.org
>> http://lists.pdxlinux.org/mailman/listinfo/plug
>>
>
> That's the whole idea behind sudo.

No, sudo does not keep root from accessing a file without entering  
another password.  The feature I am talking about would establish a  
second superuser that is higher than the standard superuser for one  
specific file.  The exception would be deletion, the ordinary  
superuser should be allowed to
delete the uniquely protected file.  The root account on a standard  
Linux system, especially when selinux is disabled, can manipulate any  
file.

As far as the comment that a login has to be required by OpenDNS to
protect the system, if the system tracked the host name registered with say
dyndns.org, logging in to achieve an update would be completely unnecessary.

An alternative approach is to modify ddclient so that it saves the password
in salted form instead of unencrypted in a text file.  This way, the password
has to be unsalted by a random person for that person to know it.


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


-- 
This message has been scanned for viruses and
dangerous content by MailScanner, and is
believed to be clean.

___
PLUG mailing list
PLUG@lists.pdxlinux.org
http://lists.pdxlinux.org/mailman/listinfo/plug


[PLUG] Buying your own cable modem...

2010-12-16 Thread someone
I have a rented from Comcast Arris TM722 ?G modem.  It has no usb  
port, one phone port, one ethernet port, and of course a cable  
connection.

I've been googling trying to find a source to buy the same modem from so I can
return the rental.  I figure I'll be with Comcast for a year at least.  
  If I disconnect, I might want to reconnect down the road.  It is  
less hassle if I
own the equipment and don't have to pay an extra $5/month.  Much  
easier if Comcast can essentially throw a switch and I'm back up.

If I can pick up a modem for $60 or less with the VOIP features, it  
doesn't make sense to rent, especially if I stick with Comcast for  
longer than a year.

I need an external modem, I use a Netgear RP614v4 between the cable  
modem and my Linux based routers.

I have opendns and dyndns.com set up, but it's hard to get the cable  
modem to come up with a different ip address and hence difficult to  
verify that opendns still works when the ip address changes.

On dyndns.com I paid $15 for 1 year service, don't know if I needed to though.


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


-- 
This message has been scanned for viruses and
dangerous content by MailScanner, and is
believed to be clean.

___
PLUG mailing list
PLUG@lists.pdxlinux.org
http://lists.pdxlinux.org/mailman/listinfo/plug


[PLUG] Netgear RP614v4 and OpenDNS...

2010-12-13 Thread someone
I use Opendns via static ip DSL served to my lan via Linux based dns gateways.
Comcast cable does not use a static ip where I've noticed that saying  
use the Opendns servers on the Netgear router isn't enough.  Do I need  
to use a dynamic ip address tracking service so I can make sure that  
DNS filtering is in effect?
I've turned off the router's dynamic ip configuration lan side so that  
I can plug in my servers and I could forseeably set things up so that  
the opendns dns servers are always accessed through the DSL.  If I do  
that though, the cable will
not act as a failover in the event that the DSL is down.  I've played  
around with
the Netgear RP614v4's site blocking feature, but that is an inferior  
approach to
the problem and for some reason no matter what I put in, certain sites  
just won't block.

Does anyone use OpenDNS with residential comcast cable?  How about  
dynamic ip tracking services, anyone use these?


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


-- 
This message has been scanned for viruses and
dangerous content by MailScanner, and is
believed to be clean.

___
PLUG mailing list
PLUG@lists.pdxlinux.org
http://lists.pdxlinux.org/mailman/listinfo/plug


Re: [PLUG] Comcast ARRIS TM722...

2010-12-08 Thread Someone

On Wed, 2010-12-08 at 20:59 -0800, drew wymore wrote:
> On Wed, Dec 8, 2010 at 7:58 PM, someone  wrote:
> 
> > The advanced tab seems to be password locked and apparently I wasn't
> > given the password.  Question is, how do I get around the fact the the
> > cable modem wants
> > to set a global ip address on the host via dhcp?  This clearly would
> > mess up my Linux based routers.  In Linux, can I limit what dhcp from
> > the cable modem can change?  I want to set a default route in say the
> > Comcast routing table based on what the cable modem tells me instead
> > of setting this route in the default routing table.  Is there a
> > modified dhcp client that works with this cable modem which will use
> > the information the modem provides and apply it appropriately?
> >
> > 
> > This message was sent using IMP, the Internet Messaging Program.
> >
> >
> > --
> > This message has been scanned for viruses and
> > dangerous content by MailScanner, and is
> > believed to be clean.
> >
> > ___
> > PLUG mailing list
> > PLUG@lists.pdxlinux.org
> > http://lists.pdxlinux.org/mailman/listinfo/plug
> >
> 
> Not that I'm aware of. Comcast gear is basically bridge Michael. So you'll
> have to set up a box as a router at the iface that the Comcast router plugs
> into.

So what do I need to know?  Can I add a nic to my statically configured
gateway and plug the comcast modem into it or am I stuck putting a
router appliance inbetween my Linux router and the cable modem?  The
problem is, if /etc/resolv.conf gets changed that messes things up.
I also don't want the default route in the default routing table to
change.  Unless...  What if I create a separate routing table for
each Internet connection and mark all packets that are outbound so that
it doesn't matter what the default Internet route in the default routing
table is?  I still have the issue of protecting /etc/resolv.conf though.

___
PLUG mailing list
PLUG@lists.pdxlinux.org
http://lists.pdxlinux.org/mailman/listinfo/plug


[PLUG] Comcast ARRIS TM722...

2010-12-08 Thread someone
The advanced tab seems to be password locked and apparently I wasn't  
given the password.  Question is, how do I get around the fact the the  
cable modem wants
to set a global ip address on the host via dhcp?  This clearly would  
mess up my Linux based routers.  In Linux, can I limit what dhcp from  
the cable modem can change?  I want to set a default route in say the  
Comcast routing table based on what the cable modem tells me instead  
of setting this route in the default routing table.  Is there a  
modified dhcp client that works with this cable modem which will use  
the information the modem provides and apply it appropriately?


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


-- 
This message has been scanned for viruses and
dangerous content by MailScanner, and is
believed to be clean.

___
PLUG mailing list
PLUG@lists.pdxlinux.org
http://lists.pdxlinux.org/mailman/listinfo/plug


[PLUG] Opus and fetchmail...

2010-12-06 Thread Someone
I am on DSL through Opus, http://www.opusnet.com.  I used to be able to
use fetchmail to probe an imap mail box hosted at mail.opusnet.com.
That doesn't seem to work anymore.  Does anyone else on here
successfully use fetchmail with Opus?

Opus has a web based mail interface, but it isn't very stable if you
have a lot of email or a full contacts list.  I keep one Opus account
open in case I have trouble with my servers or I need to communicate 
with Opus while I'm having trouble with my servers.  Otherwise, I use
my own mail server.  I also use an opus email account as the off domain
contact for my domain.

___
PLUG mailing list
PLUG@lists.pdxlinux.org
http://lists.pdxlinux.org/mailman/listinfo/plug


[PLUG] Video cards...

2010-09-25 Thread Someone
I'm in a tight spot.  I want and need a better video card than a Radeon
7500, but I have been burned twice trying to get one.  My first attempt
was an ATI Radeon HD 3450.  This card seems to work okay on one system
with linux from scratch, but it doesn't work on my Intel D845PEBT2
motherboard with Linux from scratch.  I've also had problems with this
video card randomly dropping signal under Fedora 12.  The obvious thing
to do, try and get a different video card.  I acquired an NVIDIA 6200
AGP 4x card.  Big mistake, text mode not supported at all and there are
compatibility issues with the open source nouveau driver.  I do not want
another video card that requires proprietary drivers.

I'm currently looking at a Radeon HD 2600 PRO card with dual HDMI ports.
Nice, I could run two high end monitors with this card.  Question is,
does this card even work under Linux from Scratch let alone Fedora 12
without a proprietary driver?

It has to be an AGP card and it has to be a 4x card or an 8x/4x card.

If I'm at a point where I need PCI express meaning a new motherboard,
what should I buy?  What should I avoid?

I'm currently in a situation where I have to open my case and substitute
my Radeon 7500 card to network boot Linux From Scratch and back things
up.  This is not ideal to say the least.  The stability issue where I
randomly lose signal with the Radeon HD 3450 is totally unacceptable.
The NVIDIA card not supporting text mode is just annoying.

Is there anyone other than AMD and NVIDIA in the video card business
supporting Linux better via open source, free, fully featured drivers?
Anyone who produces video cards that doesn't release the specs to the
open source community is making a major mistake in my opinion.  I don't
even have Windows on my personal computer anymore.

___
PLUG mailing list
PLUG@lists.pdxlinux.org
http://lists.pdxlinux.org/mailman/listinfo/plug


[PLUG] EasyTCP failure messages...

2010-09-14 Thread someone
Use of uninitialized value $_ in string eq at
/usr/lib/perl5/site_perl/5.12.1/Net/EasyTCP.pm line 2798.
Use of uninitialized value $_ in string eq at
/usr/lib/perl5/site_perl/5.12.1/Net/EasyTCP.pm line 2798.
Use of uninitialized value $module in string eq at
/usr/lib/perl5/site_perl/5.12.1/Net/EasyTCP.pm line 1632.
Use of uninitialized value $module in string eq at
/usr/lib/perl5/site_perl/5.12.1/Net/EasyTCP.pm line 1635.
Use of uninitialized value $module in concatenation (.) or string at
/usr/lib/perl5/site_perl/5.12.1/Net/EasyTCP.pm line 1639.

I am using perl-5.12.1 compiled from source on CentOS 5.5.

I unfortunately did not compile for threading or libperl.so which breaks
for example vim.  Is there an easy way to correct that mistake without
throwing out all my work with CPAN?

Perhaps Net::EasyTCP uses potentially uninitialized values and needs to
be fixed???  Maybe I don't have something installed?

  --  Michael C. Robinson



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


-- 
This message has been scanned for viruses and
dangerous content by MailScanner, and is
believed to be clean.

___
PLUG mailing list
PLUG@lists.pdxlinux.org
http://lists.pdxlinux.org/mailman/listinfo/plug


[PLUG] EasyTCP failure messages...

2010-09-14 Thread someone
Use of uninitialized value $_ in string eq at  
/usr/lib/perl5/site_perl/5.12.1/Net/EasyTCP.pm line 2798.
Use of uninitialized value $_ in string eq at  
/usr/lib/perl5/site_perl/5.12.1/Net/EasyTCP.pm line 2798.
Use of uninitialized value $module in string eq at  
/usr/lib/perl5/site_perl/5.12.1/Net/EasyTCP.pm line 1632.
Use of uninitialized value $module in string eq at  
/usr/lib/perl5/site_perl/5.12.1/Net/EasyTCP.pm line 1635.
Use of uninitialized value $module in concatenation (.) or string at  
/usr/lib/perl5/site_perl/5.12.1/Net/EasyTCP.pm line 1639.

I am using perl-5.12.1 compiled from source on CentOS 5.5.

I unfortunately did not compile for threading or libperl.so which breaks
for example vim.  Is there an easy way to correct that mistake without
throwing out all my work with CPAN?

Perhaps Net::EasyTCP uses potentially uninitialized values and needs to
be fixed???  Maybe I don't have something installed?

  --  Michael C. Robinson


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


-- 
This message has been scanned for viruses and
dangerous content by MailScanner, and is
believed to be clean.

___
PLUG mailing list
PLUG@lists.pdxlinux.org
http://lists.pdxlinux.org/mailman/listinfo/plug


Re: [PLUG] Centos 4.6 apache and perl scripts...

2010-08-23 Thread Someone

setHandler perl-script
PerlResponseHandler ModPerl::Registry
PerlOptions +ParseHeaders
Options +ExecCGI
Order allow,deny
Allow from all


Any thoughts on why adding the above to perl.conf doesn't work?
I'm thinking ~/public_html will match the public_html directory
under any user.

I'm still getting Error 403, Forbidden.

___
PLUG mailing list
PLUG@lists.pdxlinux.org
http://lists.pdxlinux.org/mailman/listinfo/plug


[PLUG] Strange wireless trouble...

2010-08-20 Thread someone
I'm running Slackware 13.0, fresh install.

My wireless card is an Alvarion PC DS11.b connected to the computer  
via a PLX adapter ( a pcmcia adapter ).  I notice at boot a search for  
agere something firmware.  I'm also noticing if I don't continuously  
broadcast ping that I lose connectivity.  The original wireless card  
is an SMC variety and it's junk as far as I can tell.

The signal strength seems to vary a lot along with the speed.  With  
dhclient I am getting a network is down cannot receive packet error.   
Sometimes after that though, I do have connectivity.

  Michael C. Robinson


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

___
PLUG mailing list
PLUG@lists.pdxlinux.org
http://lists.pdxlinux.org/mailman/listinfo/plug


[PLUG] Spamcannibal database won't initialize...

2010-08-17 Thread someone
my %default=(
dbhome  => $CONFIG->{SPMCNBL_ENVIRONMENT},
dbfile  => [$CONFIG->{SPMCNBL_DB_TARPIT}, $CONFIG->{SPMCNBL_DB_ARCHIVE}],
txtfile => [$CONFIG->{SPMCNBL_DB_CONTRIB}, $CONFIG->{SPMCNBL_DB_EVIDENCE}],
umask   => $CONFIG->{SPAMCANNIBAL_UMASK},
);

# Print out the values of %default
foreach $dataval ( keys %default )
{
 print "The data value is: $dataval \n";
}

if (@ARGV && $ARGV[0] =~ /^\-R$/) { # set run recovery if  
-R switch
   $default{recover} = 1;
}

# make the DB files
my $dbp = new IPTables::IPv4::DBTarpit::Tools(%default);

# Try to understand what $dbp is supposed to be and isn't...
print "dbp: $dbp \n";

# The following fails with an undefined error.
$dbp->closedb;

I am attempting to print out values to try and debug sc_initdb.pl and I am
getting unusual errors.

bash-3.00$ ./sc_initdb.pl   
  Global symbol "$dataval" requires explicit package name at  
./sc_initdb.pl line 61.
Global symbol "$dataval" requires explicit package name at  
./sc_initdb.pl line 63.
Execution of ./sc_initdb.pl aborted due to compilation errors.
bash-3.00$

I don't see anything on page 80 of a Little Book on Perl that explains  
these errors.  I see a hash and don't understand why I can't dump it's  
values.


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

___
PLUG mailing list
PLUG@lists.pdxlinux.org
http://lists.pdxlinux.org/mailman/listinfo/plug


[PLUG] SpamCannibal trouble...

2010-08-15 Thread someone
Can't call method "closedb" on an undefined value at ./sc_initdb.pl line 66.

I'm running perl 5.8.5 on CentOS 4.x and there are evidently no direct  
upgrades.
I've set up CPAN, but I don't know how to upgrade perl using it.  I've  
tried compiling perl 5.8.6 from source, but there are so many  
confusing questions that I gave up.

I had other problems before I realized that important libraries were  
installed to /usr/local/lib and updated the linker cache.  The  
instructions don't cover the Perl code for SpamCannibal failing the  
tests.  Somewhere online I found a suggestion to ignore that.


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

___
PLUG mailing list
PLUG@lists.pdxlinux.org
http://lists.pdxlinux.org/mailman/listinfo/plug


Re: [PLUG] Naming RFC 1918 networks...

2010-08-06 Thread Someone

On Fri, 2010-08-06 at 20:28 -0700, Tim wrote:
> > There seem be three options roughly:
> > 
> > 1)  Use .foo TLD which isn't used on the Internet ( dangerous ).
> > 
> > 2)  Use globally registered domain name ( wasteful ).
> > 
> > 3)  Use a subdomain of a globally registered domain name ( limiting ).
> 
> 
> No, there's a fourth option.  Use "split horizon" DNS:
>   http://en.wikipedia.org/wiki/Split-horizon_DNS

I use split horizon DNS, good point.

I like .pri as a TLD for a private network.  I can't tell though if pri
is a global TLD or not.  I suppose I could use my registered domain name
instead of ending private addresses with pri.

I actually use my global domain name on most of my wired private hosts.

As far as the this is a solution looking for a problem comment.  No.
There is a desire in the world today to use the same name for 
different web sites.  What I am proposing is that a scope field
be added to domain names as a separate text field.  You don't type
this in, another mechanism allows choosing the correct scope indicator
from a list.

The scopes would include local, Internet, USA, UK (England), 
DE (Germany), etcetera.

The point of scoping every Internet domain name is to permit the usage
of any name on a local network and the usage of popular names more than
once for different public web sites.

What I foresee is a drop down menu that starts out with a country code
for every single country plus local and Internet (everywhere).  The
default is of course Internet where a list of choices becomes
highlighted when there is a collision.  As far as claims that there is
no problem, that is a bunch of bull.  No matter how many bits there
are to represent computers on the Internet, there are only so many 
names that people are going to want to type in.  Why should someone 
in England be prevented from registering a robinson.org domain
because someone elsewhere in the world already has?  There are
numerous Robinson families in the world.  As I understand the current
system, if I register robinson.org, that means that nobody else in the
world can use robinson.org until I give the name up.  Don't tell me 
that the global name space can't be expanded by use of another label. 

A possible benefit of my proposal is that you can say which region you
want your searches to target potentially improving your hit ratio.  If
the geographic labels are accurate, you can use them to cut down on spam
perhaps as well.  Privacy advocates obviously are going to hate this,
but was the purpose and intent of the Internet to make the whole world
seem like one place where you can't tell where anything is coming from?
Consumers of the Internet want to influence what they consume.  A robust
naming system that can give answers based on regions seems expedient.
If the region you want to check out is your local network, wouldn't it
be nice to have any name you want to use at your fingertips?  The
current domain system doesn't allow me to create a local
http://www.ebay.com/ that won't block the global one.  That may seem
like a lame example, but the risk of pri becoming an Internet TLD is
real.

There are arguments that RFC1918 was a bad idea because companies merge
and their IP address space conflicts.  Well, Dynamic DNS should solve
that problem.  I assign RFC 1918 addresses statically via DHCP, which is
an oxymoron.  If I could assign from a pool of IP addresses and send the
MAC address and assigned IP address as well as requested host name to a
DNS server and dynamically generate a zone file, I'd never have a
collision problem.  There is limited unique address space even if you
get an IPv6 block, so solving the problem of collisions by having
everyone use global IP blocks is not practical.  One problem I
face for network root, how do I update the hosts file if I'm doing
dynamic dns?

___
PLUG mailing list
PLUG@lists.pdxlinux.org
http://lists.pdxlinux.org/mailman/listinfo/plug


Re: [PLUG] Naming RFC 1918 networks...

2010-08-06 Thread Someone
On Fri, 2010-08-06 at 19:32 -0700, wes wrote:
> In what way is a non-public TLD dangerous? BTW, the standard for that is to
> use .local rather than .foo.

For how long will .local be understood to be private?  What guarantees
are there?  Why not .pri or .private or .lan or .res or .reserved
or .home?  The danger is that people do try to use what are supposed to
be reserved private TLDs whether they purchase the right to or not from
IANA.

Back to my idea, what if 10 different organizations want to have
http://www.foo.bar as their globally unique domain name?  No, foo.bar is
not a good generic name, but please ignore that.

Just because there are a lot of possibilities for strings that are 255
characters or so long, not all of them are desirable to name a web site.
In fact, there are a few names that potentially a lot of people want to
use.  I don't know of any official RFC that says that .local is a
private TLD.  I prefer a three letter TLD for a private network where
local just isn't three letters.

Separate issue here, I've noticed with Bind 9 at least that removing 
the root hints section doesn't prevent bind from forwarding answers 
from Internet based name servers.  Seems that Bind is hard coded to
know about remote Internet based name servers.

___
PLUG mailing list
PLUG@lists.pdxlinux.org
http://lists.pdxlinux.org/mailman/listinfo/plug


[PLUG] Naming RFC 1918 networks...

2010-08-06 Thread Someone
There seem be three options roughly:

1)  Use .foo TLD which isn't used on the Internet ( dangerous ).

2)  Use globally registered domain name ( wasteful ).

3)  Use a subdomain of a globally registered domain name ( limiting ).

Option 1 is dangerous but desireable, because it involves less typing
than say option 3 and isn't wasteful the way option 2 is.

I have another idea of how this can be solved:

Image this:

http://local:www.ivorysoap.org

   or:

http://Internet:www.ivorysoap.org

   or:

http://www.ivorysoap.org

   or:

http://NetJapan:www.ivorysoap.org

   or:

http://NetUS:www.ivorysoap.org

   or ...

-

Explanation:

The first one means this is a name of a private host on a private
network that may or may not access the Internet.

The second is an alternative to the third for people who
want to be explicit.

The third is anywhere on the Internet go to http://www.ivorysoap.org
and this is in use today.

The fourth, NetJapan, means on the Internet in Japan.

The fifth, NetUS, means on the Internet in the United States naturally.

I'm thinking that the geographic location indicator should be 8
characters max.  Nobody can register local, private, or reserved.

To ease the usage of this system, new versions of the popular web
browsers can query what the global identifiers are and let you select
the one you mean from a short list.

The advantage is, name repeats become possible and what can be used
inside a private network to name the machines opens up.

With 8 characters and 26*2 possible choices for each character, that
comes out to 52^8 ( a lot of possible strings ).  Some number of these
strings should be discarded as nonsense.  Discarding case, about 20
billion possible strings.

I don't foresee people typing these geographic labels in.

___
PLUG mailing list
PLUG@lists.pdxlinux.org
http://lists.pdxlinux.org/mailman/listinfo/plug


Re: [PLUG] Eee PC 900 shutdown problem...

2010-08-06 Thread Someone

On Fri, 2010-08-06 at 01:43 -0700, drew wymore wrote:
> On Fri, Aug 6, 2010 at 12:44 AM, someone  wrote:
> > The problem is, Xandros when the power adapter is connected simply won't
> > shut down.  This problem started when the battery ran completely out of
> > power.  If I disconnect the power brick, I can shut down and the computer
> > won't automatically restart 3 seconds later.  I've tried installing 
> > Slackware
> > 13, the problem didn't go away.  I'm tempted to try Ubuntu 10.04
> > hearing that there might be a fix for this, but not knowing exactly
> > why this is happening
> > the chances of fixing it are slim to none.
> >
> > I've tried adding modprobe -r snd-intel-hda to the halt script, but that
> > doesn't fix the problem.
> >
> > This must be a hardware problem, how could a software bug manifest
> > itself magically two years after the computer was purchased and came
> > off of
> > warranty?
> >
> > 
> > This message was sent using IMP, the Internet Messaging Program.
> >
> > ___
> > PLUG mailing list
> > PLUG@lists.pdxlinux.org
> > http://lists.pdxlinux.org/mailman/listinfo/plug
> >
> 
> Sounds like a HAL sleep problem if I understand the question
> correctly. There have been various sleep problems with Linux laptops
> for years =(

The battery is shot, so I'm replacing it.  Thing is, this problem only
shows up when the laptop is plugged in.  If I unplug the laptop, I can
shut it down even if the battery is installed.  Anyone know of a way to
get around this issue?  Having to unplug a laptop to shut it off is a
pain in the neck as most people want to plug their netbook in when they
aren't using it.

___
PLUG mailing list
PLUG@lists.pdxlinux.org
http://lists.pdxlinux.org/mailman/listinfo/plug


[PLUG] Eee PC 900 shutdown problem...

2010-08-06 Thread someone
The problem is, Xandros when the power adapter is connected simply won't
shut down.  This problem started when the battery ran completely out of
power.  If I disconnect the power brick, I can shut down and the computer
won't automatically restart 3 seconds later.  I've tried installing Slackware
13, the problem didn't go away.  I'm tempted to try Ubuntu 10.04  
hearing that there might be a fix for this, but not knowing exactly  
why this is happening
the chances of fixing it are slim to none.

I've tried adding modprobe -r snd-intel-hda to the halt script, but that
doesn't fix the problem.

This must be a hardware problem, how could a software bug manifest  
itself magically two years after the computer was purchased and came  
off of
warranty?


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

___
PLUG mailing list
PLUG@lists.pdxlinux.org
http://lists.pdxlinux.org/mailman/listinfo/plug


Re: [PLUG] Ubuntu 10.04

2010-08-04 Thread someone
r...@clement:/home/ambrose# /usr/bin/update-manager
warning: could not initiate dbus

click install

Unhandled exception in thread started by >
Traceback (most recent call last):
   File  
"/usr/lib/python2.6/dist-packages/UpdateManager/backend/InstallBackendSynaptic.py",
 line 37, in  
_run_synaptic
 if gconfclient.get_bool("/apps/update-manager/autoclose_install_window"):
glib.GError: Failed to contact configuration server; some possible  
causes are that you need to enable TCP/IP networking for ORBit, or you  
have stale NFS locks due to a system crash. See  
http://projects.gnome.org/gconf/ for information. (Details -  1:  
Failed to get connection to session: Did not receive a reply. Possible  
causes include: the remote application did not send a reply, the  
message bus security policy blocked the reply, the reply timeout  
expired, or the network connection was broken.)



r...@clement:/opt/games/dod0.4.0# ./dod
Segmentation fault
r...@clement:/opt/games/dod0.4.0# gdb ./dod
GNU gdb (GDB) 7.1-ubuntu
Copyright (C) 2010 Free Software Foundation, Inc.
License GPLv3+: GNU GPL version 3 or later 
This is free software: you are free to change and redistribute it.
There is NO WARRANTY, to the extent permitted by law.  Type "show copying"
and "show warranty" for details.
This GDB was configured as "i486-linux-gnu".
For bug reporting instructions, please see:
...
Reading symbols from /opt/games/dod0.4.0/dod...done.
(gdb) run
Starting program: /opt/games/dod0.4.0/dod
[Thread debugging using libthread_db enabled]

Program received signal SIGSEGV, Segmentation fault.
0x0019eee6 in glClearColor () from /usr/lib/mesa/libGL.so.1
(gdb)



r...@clement:/opt/games/Micropolis/micropolis-activity# ./Micropolis
Starting Micropolis in /opt/games/Micropolis/micropolis-activity ...
Welcome to X11 Multi Player Micropolis version 4.0 by Will Wright, Don  
Hopkins.
Copyright (C) 2002 by Electronic Arts, Maxis. All rights reserved.
sh: Syntax error: Bad fd number
sh: Syntax error: Bad fd number
Adding a player on :0.0 ...
Darn, X display ":0" claims to support the shared memory extension,
but is too lame to support shared memory pixmaps, so Micropolis will  
run slower.
Please complain to your X server vendor, The X.Org Foundation
X Error of failed request:  BadMatch (invalid parameter attributes)
   Major opcode of failed request:  72 (X_PutImage)
   Serial number of failed request:  1923
   Current serial number in output stream:  1945
r...@clement:/opt/games/Micropolis/micropolis-activity#




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

___
PLUG mailing list
PLUG@lists.pdxlinux.org
http://lists.pdxlinux.org/mailman/listinfo/plug


[PLUG] Ubuntu 10.04

2010-08-03 Thread someone
Has anyone gotten Dungeons of Daggorath 0.4.0 or Micropolis (simcity) working
with this release?

I installed the standard C++ libraries, version 5, from a deb package.  
  Dungeons of Daggorath segmentation faults.

I took all the libraries installed by Dirk Dashing and moved them to /opt/lib
adding a line to /etc/ld.so.conf for them.

Oh, Micropolis when I try to run it complains about the X terminal or  
some such saying something about slowness.

Mostly seems to work.  I grabbed a nearly empty partition from Windows 7 and
so far I'm fairly certain that 7 won't try to take it back or  
otherwise malfunction.  One worry is that 7 will want to recover the  
lost space or worse,
7 will want to write to it.

Looks like the computer is ready to go pretty much, just need to  
figure out how to get the updates installed.


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

___
PLUG mailing list
PLUG@lists.pdxlinux.org
http://lists.pdxlinux.org/mailman/listinfo/plug


[PLUG] Ubuntu 10.1.0 livecd problems...

2010-07-29 Thread Someone
I'm trying to use the Ubuntu 10.1.0 live cd to boot and back up an Asus
Eee PC model 1005, the same one I mentioned before.  I am selecting try
it out followed by opening a terminal and doing sudo passwd root.  I set
the password to simple.  I then do an su - command.  I do aptitude
install portmap nfs-client.  That seems to work.  I mount the remote
backup space, seems to work.  The minute I try to dd from the local
sda hard disk to the network share, I see a minute amount of data
transfer and then data transfer ceases.  Anyone know what the 
problem is?  I notice problems on the laptop (client) end.

I'm going to try upgrading my network root Linux system from the
2.6.30.2 kernel to the 2.6.34 kernel.  The problem has been being
unable to compile in the correct atheros driver for the onboard
network card, an AR8132 pci express card.

___
PLUG mailing list
PLUG@lists.pdxlinux.org
http://lists.pdxlinux.org/mailman/listinfo/plug


Re: [PLUG] Windows 7 issue...

2010-07-28 Thread someone
Quoting Terrence Hulse :

> Is there a reason you aren't considering running Linux in a VM?
> I have Ubuntu and Fedora 13 both loaded in SunVB VMs..they work fine.
>
> BTW, is this a new machine preloaded with Win7? If so there should be a
> utility to create your Win7 OS and Driver Disks. Most machines don't come
> with the media anymore..you have to create your disks, and/or there is
> usually a special system restore partition on the new systems as well.
>
> Terry

Is there a reason why the 2nd partition is reported by Windows 7 to have
no files whatsoever on it?  I'm trying the Microsoft backup tool, don't
know how long it will take though.  I wonder if there is a 30 gig  
hidden partition???  I don't think hidden partitions have been  
possible though
since Windows XP came out.

Doesn't look like there is any way to create the installation disks.

First off, I hate this.  I want and deserve media.  For that matter,
there are 9 gigabyte USB flash drives now.  Providing a boot able
flash drive with Windows 7 installer on it shouldn't be a problem.

Another gripe of mine, it seems that Microsoft is dumping Windows 7
starter so that people won't go the Linux route or any other route
for that matter.

An Atom processor is a bit on the low end to be running Linux under emulation.
I foresee my nephew using Linux most of the time and not going to Windows 7
unless he has to for some reason.

Putting the installer on the hard drive is reckless and dangerous.  There is
less than the advertised amount of space, far less.  Second off, hard drives
die much faster than memory sticks and DVDs.  Third, if the computer  
ships with a bad hard drive, there is the issue of having nothing to  
install from.  There is a transferability issue should one decide that  
they need Windows 7 on another computer even if they intend to take it  
off of their laptop completely.


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

___
PLUG mailing list
PLUG@lists.pdxlinux.org
http://lists.pdxlinux.org/mailman/listinfo/plug


[PLUG] Windows 7 issue...

2010-07-27 Thread someone
I know this is a Linux list, that's why I can talk about Windows 7  
getting in the way of installing Linux on an Asus Eee PC with a 1.6  
Ghz atom processor, 1 gig of ram, 250 GB hard drive, web camera built  
in, 14 hour battery life, and well that probably about covers it.   
This is the one that costs about $379.

No media disks provided.  I'm having the store inquire about getting them.
My dad's HP laptop has the same problem I found out.  If I have to back up
this Windows 7 system using Linux, can I do better than dd'ing the whole
entire drive?  I want to dual boot, the hard drive should be big enough.
The trouble is, how do I reinstall the boot loader without installation
media?  Do I need to dd copy the first four megs of the drive?  Do I copy
certain files off under Linux?  The gentoo based system on CD that I have
doesn't boot correctly on this machine, so I can't use a resizing tool :-(

I wonder if NTFS-3g which I have a full implementation of now is good enough?
I'm about ready to suggest buying another hard drive and popping the Windows 7
drive out in case the computer has to be taken in for servicing.


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

___
PLUG mailing list
PLUG@lists.pdxlinux.org
http://lists.pdxlinux.org/mailman/listinfo/plug


[PLUG] Trouble updating kernel...

2010-07-26 Thread someone
I'm on a Slackware 10.1 system that currently runs a 2.6.10 kernel.

I got a 2.6.27 kernel to boot by replacing the init scripts with the ones
from Slackware 13.  The problems encountered doing that are numerous though.

I found something called slackpkg googling online, but it doesn't appear
to allow upgrading from one release of Slackware to another.

I updated pkgtool to slackware 13's pkgtool, didn't seem to break anything.
I then added xz only to find that xz doesn't work without glibc-2.6 which
appears to be in xz compressed format!  I haven't applied slackware 13's
tar or gzip yet.

There has to be a standard pain free way to upgrade glibc and udev to get
around the bug that I'm fighting.

Short of tearing into the computer so I can set up cd booting again, and
there's the trouble of finding a slackware 13 cd, I only have a floppy
drive to work with at boot time.

I got the 2.6.27 kernel I compiled to boot, but that is about all I  
got it to do.  The framebuffer was limited to 640x480 resolution and  
the network cards,
a netgear fa311 and a Alvarion PC DS-11.b in a PLX adapter, didn't work.

I am not allowing this computer to have Internet access, so slackpkg  
may not be all that useful.

How can I get a base Slackware 13 install with just a floppy disk and possibly
some packages on a zip disk or a cdrom?  I don't have a DVD drive in  
the computer where booting from CD requires going into the case and  
turning the onboard controller back on.  I use a promise 20267 instead  
of the Asus P5A-B's builtin parallel ata controllers.  I have  
Slackware 13 on an ftp server, but I need a live cd or something  
similar to boot up in Slackware 13 and launch the
setup program.


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

___
PLUG mailing list
PLUG@lists.pdxlinux.org
http://lists.pdxlinux.org/mailman/listinfo/plug


[PLUG] Can't get Java plugin...

2010-07-20 Thread Someone
and firefox 3.6.4 on CentOS 5.5 to work together.

Where is the global plugins directory anyway?

Firefox should have a way to tell you.

An annoyance of mine is that automatic install never seems to work in a
Linux environment, but it always seems to work under Windows.  The
firefox developers really should address this seemingly anti Linux
aspect of the browser.

I installed Java 6 runtime environment update 21 I think.

[plu...@goose ~]$ rpm -q jre
jre-1.6.0_21-fcs

I found /usr/lib/mozilla/plugins and decided to change that
to a virtual link.  I pointed it at /usr/lib/firefox-addons/plugins
which I created manually.  I also decided to move extensions to
firefox-addons and create a virtual link.  I found an empty
firefox-3.0.5 and an empty firefox-3.0.6 directory, so I removed them.
I searched the whole hard drive for plugins and didn't find any other
candidates for the global firefox directory.  Again though, firefox
itself should be able to tell me.

The only instructions I can find say to make a symbolic link to the
correct libjavaplugin_oji.so in the global or your local mozilla plugins
directory. I've done this, but when I do about:plugins in firefox I
don't see java.  Sun's java test fails.

___
PLUG mailing list
PLUG@lists.pdxlinux.org
http://lists.pdxlinux.org/mailman/listinfo/plug


[PLUG] Wireless networking...

2010-07-18 Thread someone
This may be a silly question, but on a CentOS 5.5 system running gnome  
is there a way to get a panel icon related to the wireless connection  
similar to what happens in Windows XP?  In Windows XP, firing off  
dhclient equivalent and choosing the access point are rolled into one  
icon.  Another thing I want
is the ability to ignore an access point or lock to an access point (without
having to hard code this behavior).


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

___
PLUG mailing list
PLUG@lists.pdxlinux.org
http://lists.pdxlinux.org/mailman/listinfo/plug


[PLUG] Really bad DELL experience...

2010-07-15 Thread someone
I tried to order an Inspiron mini 10 Ubuntu 9.1.0 mobilon 2.1 Dell laptop.

The keyword is tried.  The laptop came without an operating system.   
The laptop came without media.  To make matters worse, sending the  
laptop to the shop to be diagnosed for hardware problems, it came back  
to me without an operating system and without media.

DELL tried really hard to push me into installing Ubuntu 8.04 telling me that
9.1.0 is not supported and that they can't send me media for it.  I  
asked why I couldn't send the laptop back in to have the proper  
contractual version of Ubuntu installed.  DELL still insisted that  
they cannot install that going even further suggesting that I could  
download the generic version and install it myself.  Hello, I don't  
order a DELL laptop with Linux pre installed just to turn around and  
install Linux on it myself.

DELL ran my mother around Elmer's barn for 5 hours and brought her to  
tears.  Finally, I got tough and said basically, you have three  
options.  Option 1, take the laptop back into the shop and install the  
contractual version of
Linux on it.  Option 2, send me media to install Ubuntu 9.1.0 (mobilon  
2.1).  Option 3, take the laptop back and refund the purchase price at  
your expense.

I asked DELL if there is an official site I can download the copy of Linux
that is supposed to be on the laptop from, they said that there isn't one.
My concern is, generic Ubuntu will not be set up for this laptop  
specifically.  I have the UPS label and the laptop packed to go back  
now, but I wonder if I can get the appropriate software if I shouldn't  
reconsider?  For now, I'm trying to shop at the local computer store  
again for an Asus mini laptop.
I'll have to do the fdisk install Linux number possibly, but at least I
won't have to put up with DELL.

Warning to anyone considering a DELL Inspiron Mini 10 with Ubuntu  
9.1.0, DELL will not provide media for that version of Ubuntu and in  
all likelihood, DELL will not install that version.  If you want to go  
around Elmer's barn for 5 hours with DELL, that is certainly up to  
you.  I don't know if I'll ever buy
another DELL computer.


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

___
PLUG mailing list
PLUG@lists.pdxlinux.org
http://lists.pdxlinux.org/mailman/listinfo/plug


Re: [PLUG] eSata enclosures

2010-07-02 Thread Someone
I didn't withhold information, I just didn't realize the obvious about
how to get it.  I wish I could answer the capacity question without
buying a 2 terabyte drive as I'm a bit cash strapped at the moment.
As far as getting people's attention being rude, if that's the case
then the people who feel that way shouldn't be on a Linux mailing 
list.  I'm not the only person who has asked simple questions on here
and I do not feel that a culture of don't get our attention by asking
any obvious questions is a healthy one.  This culture will discourage
asking any questions whatsoever.

___
PLUG mailing list
PLUG@lists.pdxlinux.org
http://lists.pdxlinux.org/mailman/listinfo/plug


[PLUG] Search engine dependency and Linux...

2010-07-01 Thread Someone
How often does someone say, use Google to get the answer for your Linux
question?  The suggestion isn't to use Yahoo, Dogpile, Bing, drop in
some other obscure search engine.  The suggestion is to use Google as 
if Google has become the defacto standard for answering Linux questions.

The whole point of Linux mailing lists is that community is built up and
perhaps just perhaps, the question related to the question being asked
might get answered.  By asking about serial ATA enclosures on a Linux
list I am asking beyond my question if external SATA is worth pursuing
on a Linux based system.

A search engine has a hard time answering a question behind a question
unless there is a valuable programmed in expectation.  Search engines
are not intelligent and they never will be.  Expectations can be
statistically helpful, but they do not always lead to presenting what
the researcher wants/needs.  A human being with creativity has a much
better chance than a computer of making a useful presentation to
someone.  A thing to be aware of is that Google has advertisers who pay
money which puts pressure on Google to produce hits for those
advertisers even if that is nonsensical.  

Google does not equal Linux.  Linux is a phenomenon outside of Google
that predates Google and one which will hopefully outlast it.

Google may not stay free.

Google's chrome will likely be pushed by Google instead of Linux.

Google's book plans, are the freedoms associated with paper back books
that are taken for granted going to be lost in the e-book world?

I've used Google a lot to do Linux research and I must say that Google
is not always a good tool.  Sometimes you get bogged down with old
information and junk.  A lot of the HOWTOs haven't been updated for
recent changes and in general this kind of documentation seems to be
lapsing.  Use Google or use my wiki seems to be the mantra, but there
are problems with that.  First off, search engines have trouble getting
the right information in front of you at times whereas wikis can be
destroyed by malicious people injecting erroneous information or
removing correct information.

Search engines are impersonal and have limited utility.  They cannot
give you a sense of community whereas being on a mailing list where
there are other real people on the list can.

___
PLUG mailing list
PLUG@lists.pdxlinux.org
http://lists.pdxlinux.org/mailman/listinfo/plug


[PLUG] ESATA cages...

2010-06-30 Thread Someone
I recently ordered ESATA cages and noticed on the boxes that it says
supports up to 500 GB.  Hunh?  I thought these could handle 2 TB drives.
So, anyone know the story on this one?  I hate to go that small.

___
PLUG mailing list
PLUG@lists.pdxlinux.org
http://lists.pdxlinux.org/mailman/listinfo/plug


[PLUG] external sata II...

2010-06-18 Thread Someone
Are there eSATA II cases for individual hard drives?

I am ordering external SATA II cables and some adapters
to go from internal SATA to external SATA.  I'm planning on
running 2-4 SATA connectors from an open 5.25" drive bay.
If there is a part I can get that will go into a 5.25"
drive bay giving me 4 eSATA II connectors, that would
be great.

___
PLUG mailing list
PLUG@lists.pdxlinux.org
http://lists.pdxlinux.org/mailman/listinfo/plug


Re: [PLUG] ReactOS site down again...

2010-06-15 Thread Someone
> Shouldn't this be on PLUG-TALK?

Perhaps.  I thought it was relevant to PLUG because I brought up Linux
in my post with the question, "Does it make more sense to fix the
remaining problems in Linux than it will to create an OSS clone of
Windows NT?"  Sure, this can be continued on PLUG-TALK.

I guess what amazes me is that the ReactOS people are not purists.  
They want to use Microsoft's potentially broken SDK including Microsoft
Visual C because, "the gcc maintainers won't make important changes."
Considering that GCC is under the GPL, the ReactOS people should be 
able to make the, "needed changes," themselves.

I think something lighter than X-Windows running on top of Linux
customized for WINE makes far more sense than ReactOS does, at 
least in the short run.  I'm a big fan of native Linux software.
Hopefully, Dirk Dashing 2 will come out by years end and be a
major success.  Mygamecompany is effectively proving that Linux
is a good platform for gaming with every game they write for 
Linux that becomes popular.  The last newsletter suggests that 
they need new customers right now.  If you can afford to, consider
buying one of their Linux titles.

___
PLUG mailing list
PLUG@lists.pdxlinux.org
http://lists.pdxlinux.org/mailman/listinfo/plug


Re: [PLUG] ASUS Eee Linux version...

2010-06-15 Thread Someone
I think Asus is in bed with Microsoft.  Well, DELL isn't infected yet.
Not everyone gets that STD called Windows.  Can't get a solid state
device for a DELL Inspiron Mini 10 with Ubuntu pre installed, but at
least I don't have to pay for and manually get rid of a copy of Windows.
Ironically, and this is nonsense, the Windows version has the 32 Gig SSD
as an upgrade option.  Sounds like politics to me.  Linux supports SSDs
just as well as Windows does.  If I didn't know any better, I'd say that
Dell is trying to make sure that their Linux offerings have fewer
features and are less attractive than their Windows machines.  Dell
should get serious and offer Linux pre installed on ALL of their product
lines.

Once the salesman figured out that indeed there is a Linux pre installed
DELL, it wasn't much trouble to get an order ringed up.  Around the
26th, it should arrive.  Aside from not having an SSD, this DELL mini
Inspiron 10 should work just fine for my nephew.  I hope the salesman
goes up the chain to suggest that the no SSD option on Linux laptops 
be rectified.  Linux people are not second class citizens and should 
not have second class options.  I would also like to see more variety
than simply Ubuntu or Windows on DELL systems.  What about Fedora,
CentOS, RHEL, etcetera?  I realize that DELL doesn't want to embrace too
many operating systems, but most serious Linux people use more than just
Ubuntu.

___
PLUG mailing list
PLUG@lists.pdxlinux.org
http://lists.pdxlinux.org/mailman/listinfo/plug


[PLUG] ASUS Eee Linux version...

2010-06-15 Thread someone
seems to be very hard to find.

I got my nephew the 900 mhz version with a 20 mb SSD and Linux pre installed.

ASUS seems to have dropped the Linux version.

HELP!

Surely, I don't have to buy used to get a Linux sub notebook these days.


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

___
PLUG mailing list
PLUG@lists.pdxlinux.org
http://lists.pdxlinux.org/mailman/listinfo/plug


[PLUG] Add LVM to LFS system...

2010-06-11 Thread Someone
I'm network root booting an LFS system okay, but I don't have LVM
support so I can't support mounting logical volumes like the ones that
CentOS creates.  For various reasons I don't want to image the hard
drive.  How hard is it to add LVM support to a linux from scratch
system?

___
PLUG mailing list
PLUG@lists.pdxlinux.org
http://lists.pdxlinux.org/mailman/listinfo/plug


[PLUG] Fan trouble...

2010-06-08 Thread Someone
I ordered an LGA 775 socket fan/heatsink combo and I can't seem to use
it with the Intel D945Gcz board I picked up.  I have a hunch that since
I can't get the copper plate down on the processor that I don't have
adequate thermal conductivity.  There is this plastic piece and the
aluminum screws into it, but that makes no sense.  The plastic piece
covers some of the pins on the processor.  I'm debating on whether or
not to cut the screws off that are used to hook on the plastic piece.
I'm beginning to wonder if that is what you are supposed to do.

Another problem I ran into with the micro BTX case I'm trying to install
this board in is that the ATX power connector won't reach.  Is there an
extender for that that I can pick up or am I looking at an unsightly
modification?  

What should I use to glue the processor to the copper part of the
heatsink?

___
PLUG mailing list
PLUG@lists.pdxlinux.org
http://lists.pdxlinux.org/mailman/listinfo/plug


[PLUG] ReactOS project verses Linux+WINE...

2010-06-04 Thread Someone
The ReactOS people claim that they will come out with a free
reimplementation of Windows NT comparable to XP and later that will be
compatible with existing Windows software.  Sounds great, except the
Linux+WINE approach to running these programs and the LUK project seem
to be poised to produce results faster.

The problem is, it is hard to write an entire operating system and the
supporting utilities from scratch.  I proposed releasing patches for XP
that replace individual DLLS so that eventually all of the proprietary
code is replaced and you end up with a free version of Windows.  The
advantage over what the ReactOS folks are doing is that they would
stop releasing something that doesn't work.  The downside is that the
work won't be freely available until they replace all of Microsoft's
code so that users of the code don't have to acquire a license.

The ReactOS people give up immediately on the idea of patching Windows
despite the potential that has to help people now.  The claim they make
is that it is illegal to replace bits and pieces of Windows with open
source code.  Can Microsoft really go after someone if they legally
acquire Windows XP and replace the kernel with an open source
reimplementation?  Would Microsoft even dare to do that?  I believe that
the DMCA allows reverse engineering for the purpose of ensuring
interoperability and that you can even share improvements so long as
you don't profit from them.

What will Linux+WINE or LUK not support and is this anything worth
worrying about?

I admit that Word 2003 doesn't work right at times in WINE and that 
Warcraft II BNE runs too slowly, but I've just given two examples of
software that you don't even think about running in ReactOS.

Has anyone here had problems with ReactOS moderators and developers?
The group seems like a pack of thugs at times.

___
PLUG mailing list
PLUG@lists.pdxlinux.org
http://lists.pdxlinux.org/mailman/listinfo/plug


Re: [PLUG] Hauppauge WinTV GO 190...

2010-06-01 Thread Someone
Thanks Eric.

Will the following card work as well as the one you suggested?

http://cgi.ebay.com/Hauppauge-WinTV-Go-Plus-NTSC-44981-LF-Rev-E1B2-/190401573670?cmd=ViewItem&pt=LH_DefaultDomain_0&hash=item2c54d17326

There is another auction where the card is supposedly mono only, but I
wonder if this is actually true?

http://cgi.ebay.com/HAUPPAUGE-WinTV-GO-MODEL-190-NEW-UNOPENED-BOX-/300419895965?cmd=ViewItem&pt=LH_DefaultDomain_0&hash=item45f26bd29d

I'm going to try using dscaler with my WinTV PVR 150 card to see if that
resolves the lag problem.



___
PLUG mailing list
PLUG@lists.pdxlinux.org
http://lists.pdxlinux.org/mailman/listinfo/plug


[PLUG] Hauppauge WinTV GO 190...

2010-05-30 Thread Someone
Is this card capable of supporting the Play Station II at full speed?

Are there stereo to RCA adapters, or do I have to do something else for
sound?  Does this card support stereo sound or am I going to be stuck
mixing the left and right channels?

There is a $20.99 with $7.99 shipping buy it now auction on EBay for
this very card in an unopened original box.

I'm leery of buying another Hauppauge TV tuner card only to find that
this one doesn't work either for what I'm intending to use it for.

I have the Hauppauge PVR 150 which sort of works, but the video is
delayed so much that the games are unplayable.

___
PLUG mailing list
PLUG@lists.pdxlinux.org
http://lists.pdxlinux.org/mailman/listinfo/plug


[PLUG] NFS losing server problem...

2010-05-22 Thread Someone
I have my server running at 100 mb/s connected to a Netgear 8 port
10/100 switch where one of the ports is linked to a 10 MB hub and 
from there the client machine with a RealTek 8029 10 MB nic card is
connected.

Using a gpxe cdrom, I get a PXE boot going and everything seems fine
till it is time to mount the root filesystem.  I get errors that the
NFS server is not responding interspersed with OK messages.

Possibilities:

1) The speed change from 100 mbps to 10 mbps is the problem.

2) The nic is bad, though it works in Windows okay.

3) The sync mount option is causing a problem.

/nfsroot/lfs/lfsp3/tuna   \
tuna.robinson-west.com(rw,no_root_squash,sync)

I've been trying to following the NFS site for troubleshooting, 
but I'm not getting enough information on exactly what is 
causing the server to be inaccessible.

I have tried bypassing the hub, didn't make any difference.

___
PLUG mailing list
PLUG@lists.pdxlinux.org
http://lists.pdxlinux.org/mailman/listinfo/plug


[PLUG] Backup over network...

2010-05-15 Thread Someone
My dad has one of those fancy quad core 64 bit Windows 7 laptops.  I
have a Pentium III optimized LFS system which I can back up Windows and
Linux systems with as long as the computer is a Pentium III or IV.  Will
a Pentium III Linux kernel boot a quad core computer???

I am using dd to dump entire hard drives, this is space intensive though
and I end up backing up fragmentation.  Is there a better way that is as
powerful as hard drive imaging?  Using dd is brute forcing the problem,
but this is a safe way to back a system up.

If I need a 64 bit Linux kernel and a 64 bit optimized NFS mountable
Linux filesystem, how do I produce those on a 32 bit computer?  Is it
possible to produce an Apple G3 compatible Linux system on a PIII based
Linux server?  How about network booting a PC164 Alpha system?

In general, I'm curious how to trick the Linux kernel source into
compiling on one computer for a totally different kind of computer.

___
PLUG mailing list
PLUG@lists.pdxlinux.org
http://lists.pdxlinux.org/mailman/listinfo/plug


[PLUG] Failure at 5.8...

2010-02-07 Thread someone
http://www.linuxfromscratch.org/lfs/view/stable/chapter05/adjusting.html

echo 'main(){}' > dummy.c
$LFS_TGT-gcc -B/tools/lib dummy.c
readelf -l a.out | grep ': /tools'

I get, "error while loading shared libraries: libmpfr.so.1: Cannot  
open shared object file: No such file or directory.

It does exist in /tools/lib.

I've tried setting LD_LIBRARY_PATH only to get segmentation faults.

bash-3.1$ ssh -l lfs goose.robinson-west.com
l...@goose.robinson-west.com's password:
Last login: Sun Feb  7 02:09:04 2010 from eagle.robinson-west.com
lfs:02:16:49~$ env
TERM=xterm
LC_ALL=POSIX
LFS=/home/lfs/LFS
PATH=/tools/bin:/bin:/usr/bin
PWD=/home/lfs
LFS_TGT=i686-lfs-linux-gnu
PS1=\u:\t\w\$
SHLVL=1
HOME=/home/lfs
_=/bin/env

lfs:02:18:26~$ i686-lfs-linux-gnu-gcc -B /tools/lib dummy.c
/home/lfs/LFS/tools/bin/../libexec/gcc/i686-lfs-linux-gnu/4.4.1/cc1:  
error while loading shared libraries: libmpfr.so.1: cannot open shared  
object file: No such file or directory

lfs:02:20:06~$ cat dummy.c
main(){}

lfs:02:20:10~$ ls /tools/lib/libmpfr.so.1
/tools/lib/libmpfr.so.1
lfs:02:21:47~$

Clearly, I have this shared library in the tools folder, which will  
eventually get thrown out.  Anyone know what the deal is with this  
linker error?  I think there aren't supposed to be any dynamic  
libraries at this point and that somehow the book has left a lot out  
in the initial compile gcc step.


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

___
PLUG mailing list
PLUG@lists.pdxlinux.org
http://lists.pdxlinux.org/mailman/listinfo/plug


[PLUG] Can't get gcc to compile...

2010-02-06 Thread someone
lfs:~/mpfr$ env
TERM=xterm
LIBRARY_PATH=/tools/lib
OLDPWD=/home/lfs
LC_ALL=POSIX
LFS=/home/lfs/LFS
PATH=/tools/bin:/bin:/usr/bin
PWD=/home/lfs/mpfr
LFS_TGT=i686-lfs-linux-gnu
PS1=\u:\w\$
SHLVL=1
HOME=/home/lfs
_=/bin/env

The only thing I added was the LIBRARY_PATH.  I'm trying to follow the  
linux from scratch book online.

lfs:~/mpfr$ ./configure --prefix=/tools --with-gmp=/tools/include/gmp.h
checking for a BSD-compatible install... /usr/bin/install -c
checking whether build environment is sane... yes
checking for a thread-safe mkdir -p... /bin/mkdir -p
checking for gawk... gawk
checking whether make sets $(MAKE)... yes
checking whether to disable maintainer-specific portions of Makefiles... yes
checking build system type... i686-pc-linux-gnu
checking host system type... i686-pc-linux-gnu
checking for grep that handles long lines and -e... /bin/grep
checking for egrep... /bin/grep -E
checking for a sed that does not truncate output... /bin/sed
checking for CC and CFLAGS in gmp.h... no
checking for gcc... gcc
checking for C compiler default output file name...
configure: error: in `/home/lfs/mpfr':
configure: error: C compiler cannot create executables
See `config.log' for more details.
lfs:~/mpfr$

My host system is a Slackware 13 system, but I've specifically created  
an LF user to minimize strange behavior caused by the host system.

The instructions appear to call for a direct build of gcc with just  
the source directories for gmp and mpfr unpacked, but I get errors  
that gmp can't be found when I try to do that.


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

___
PLUG mailing list
PLUG@lists.pdxlinux.org
http://lists.pdxlinux.org/mailman/listinfo/plug


[PLUG] LTSP 4.2 and mouse...

2010-02-05 Thread someone
I got my MK700 Logitech wireless keyboard working with LTSP, but I can't
get the mouse to work.  Normally the mouse works in Linux, so I'm wondering
what it is that I'm missing.  I posted to the Ltsp-discuss list, but  
it appears
to be a very low traffic list where I may be the only one on it.

As far as LTSP 5, that doesn't seem to be available for CentOS.


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

___
PLUG mailing list
PLUG@lists.pdxlinux.org
http://lists.pdxlinux.org/mailman/listinfo/plug


[PLUG] LTSP MK700...

2009-12-27 Thread someone
I'm running ltsp 4.2 on CentOS 5.3.  I am wondering if it supports the
mouse that comes with the Logitech MK700 keyboard/mouse combo?  So far,
I haven't been able to get it working at all.  I've tried modifying lts.conf,
but I'm not sure what to put in it.


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

___
PLUG mailing list
PLUG@lists.pdxlinux.org
http://lists.pdxlinux.org/mailman/listinfo/plug


[PLUG] Quickcam Express USB

2009-12-11 Thread someone
http://qce-ga.sourceforge.net/

The 0.6.6 driver works with the 2.6.10 kernel, but I can't get it to compile
with the 2.6.27.39 kernel.  I type make all and the next thing I know  
the source has deleted completely.  I hate to drop down to the 2.6.10  
kernel,
but I really want the camera to work where it looks like I need a new
release of the driver for newer 2.6 kernels.

On a side note, I went ahead and ordered two Invictus wireless outdoor b/g
WAPS.  It was spendy, but I figure this is a better bet than trying to come
up with a Linux compatible wireless card to replace the flaky RealTek 8180l.

I can run the 2.6.10 kernel, but if I don't have to I don't want to.

Has the driver being rolled into the kernel recently under a name I don't
recognize?


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

___
PLUG mailing list
PLUG@lists.pdxlinux.org
http://lists.pdxlinux.org/mailman/listinfo/plug


[PLUG] Temperature and routers...

2009-12-08 Thread someone
Is 15 degrees fahrenheit too cold for the typical linux router built using an
old computer?  I imagine the cold is good for hard drives and it keeps  
the electronics cool.

Has anyone had favorable results with the RealTek 8180 wireless driver in
recent 2.6 kernels?  I'm getting a very weak connection that likes to stall
a lot where I'm wondering if it's poor drivers on the Linux end or problems
with the Linksys WAP11 that it goes through.  I've gone from 2.6.10 adding
a Realtek 8180 driver as a third party deal to 2.6.27.39 where the wireless
card is supported by the kernel directly.

How far can I be from the AP outdoors and still have a strong connection?
I know wireless in general isn't unstable because I have an ad-hoc connection
between my laptop and the router using Alvarion pcmcia wireless cards.

My RealTek card is branded as a Zonet ZEW1300B I believe and linux identifies
it as a RTL8180L chipset card.

I'm beginning to wonder if I had a pcmcia orinoco card that could hook to my
existing antenna if that would work better than the RealTek card?


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

___
PLUG mailing list
PLUG@lists.pdxlinux.org
http://lists.pdxlinux.org/mailman/listinfo/plug


[PLUG] rtl8180-0.21 source...

2009-12-05 Thread someone
The source doesn't want to compile in Slackware 13.  Strangely enough
following the installation instructions, typing make in the rtl8180-0.21
source directory deletes the source code.  I've had this happen with  
the quickcam usb 0.6.6 source code too.

Any idea what is causing this strange deletion phenomenon?

I really want to figure out how to use the newer version of Slackware
as 2.6.10 on Slackware 10.1 stopped working again.  It seems to stop
working every time I try to log into the web page on the Linksys WAP11
version 2.6 that it is linked to.  This is why I have been wanting to
learn how to use snmp, to get another way into that wireless router.

As far as using loadlin to boot Slackware 13, it appears to be impossible.
Apparently, it doesn't work because the kernel is too big.

On the subject of Slackware 13, is there a tool that is nicer than pkgtool
to help me remove unnecessary packages to get the size of my install down?
Eventually, I need to install this to a 4.0 gig hard drive.  I'd like to
install with KDE, but I realize that may not be possible.

I have an Alvarion PC-DS.11b card I need to support, don't recall what the
driver is under 2.6.10 or if I had to download source for that as well.


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

___
PLUG mailing list
PLUG@lists.pdxlinux.org
http://lists.pdxlinux.org/mailman/listinfo/plug


[PLUG] Alpha, can't burn a DVD...

2009-06-18 Thread someone
I have Redhat Alpha 6.2 booting up okay and cdrecord -scanbus should work, but
it doesn't.  Argh!  I have a DVD burner hooked up direct with low density
IDE cable ( the drive was connected to high density cable in it's usb  
enclosure
that I took it out of, but it reads CDs okay. ).  I tried to compile Xcdroast
on Redhat 6.2 and ran into you don't have gdk-pixbuf-config or something
similar.  I can't get the service packs for NT 4.0 Alpha which is only
updated to service pack 3.  F**ing Microsoft.  They developed Windows 2000
for the Alpha, but it never came out of beta.

I tried installing the 1.9 free release of Deepburner, but even with FX!32
I can't get the installer to go.

I have a DVD burnable iso image of CentOS 4.3 Alpha sitting on an extra
hard drive hooked up as a slave.  The Alpha ARC console partitioner is
confused by it because it's a 40 gig, but Redhat likes it okay.

Is there any way to use this burner under Windows NT 4.0 Alpha?  Oh yeah,
is there an IFS plugin that will read EXT2 as I really don't want to screw
around with FAT32 if I don't have to.

I'm sick and tired of trying to search Microsoft's web sites only to run into
sorry we don't support that anymore.


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

___
PLUG mailing list
PLUG@lists.pdxlinux.org
http://lists.pdxlinux.org/mailman/listinfo/plug


[PLUG] Slackware and ssh disconnects...

2009-05-24 Thread Someone
I am getting bad packet length followed by disconnects a 
lot.

This machine I am trying to log into is only accessible 
through a wireless link originating from a Linksys WAP11.
I have googled and googled and googled and I still can't
figure out why this is happening.  The drops are random,
but I don't ever get very far command wise.  I don't get
vim up or cat any large files.

I saw something about login scripts that print messages
to the console crashing ssh, but I don't know if that 
is accurate let alone pertinent.  Slackware by default
prints messages to the terminal after I log in even
if I come in via ssh.

I wonder if the 2 wireless cards which are intended 
to create 2 different wireless networks from this 
server are interrupting each other?  This server is
basically intended as a repeater and a camera box.

Note that I have Slackware 10.1 running on a wired
network booted system and I'm not having any problems
of this nature on that machine.

mich...@barn:/var/log$ ls
apache/  gdm/  messages   removed_packages/  secure
webcam_server.log
Disconnecting: Bad packet length 3823690040.
[plu...@goose ~]$

___
PLUG mailing list
PLUG@lists.pdxlinux.org
http://lists.pdxlinux.org/mailman/listinfo/plug


Re: [PLUG] What does software feel like to a computer?

2009-05-24 Thread Someone
This thread is plug-talk, not plug 
appropriate.

Computers are not sentient. Even if one
was sentient, the wise programmer would 
be very careful and work very hard to 
build in a robust ethical framework or
at the very least a fail safe.

People are not machines.  Trying to 
attribute feelings to machines in 
order to devalue humanity is where 
I think this is going and I don't 
care for that.

___
PLUG mailing list
PLUG@lists.pdxlinux.org
http://lists.pdxlinux.org/mailman/listinfo/plug


[PLUG] NUTS documentation lacking...

2009-04-08 Thread Someone
It doesn't seem to cover the CGI scripts that I'm trying to use to oh
set the date that the battery was changed and change the identifiers.
I'm getting ERR access denied when I try to use the settings instead
of the statistics link.

NUTS stands for Network UPS Tools and it's version 2.2.2 that I'm using.

I tried looking at the cgi scripts to get a clue, they appear to be
compiled C code.  Uge!

___
PLUG mailing list
PLUG@lists.pdxlinux.org
http://lists.pdxlinux.org/mailman/listinfo/plug